code
stringlengths
2
1.05M
/** * WebSocketConnection * A wrapper over WebSocket that handles reconnection, and keeps * a reference to the Redux store so that it can be used as middleware. * Should be instantiated in ../ducks/wsConnection.js */ export default class WebSocketConnection { constructor(address) { this._address = address this._onErrorHandlers = [] this._onOpenHandlers = [] this._onCloseHandlers = [] this._onMessageHandlers = [] if (window.WebSocket) { this.connect() } else { this.triggerErrorHandlers({ message: 'WebSocket not supported!' }) } } setStore(reduxStore) { this.dispatch = reduxStore.dispatch this.getState = reduxStore.getState } connect() { try { this._ws = null this._ws = new window.WebSocket(this._address) this._ws.onerror = (...args) => this.triggerErrorHandlers(...args) this._ws.onopen = (...args) => this.triggerOpenHandlers(...args) this._ws.onclose = (...args) => this.triggerCloseHandlers(...args) this._ws.onmessage = (...args) => this.triggerMessageHandlers(...args) } catch (e) { console.log(e) this.triggerErrorHandlers({ message: 'Could not create a WebSocket instance!' }) } } triggerErrorHandlers(...args) { this._onErrorHandlers.forEach(h => h(...args)) } onError(cb) { if (typeof cb === 'function') this._onErrorHandlers.push(cb) } triggerOpenHandlers(...args) { this._onOpenHandlers.forEach(h => h(...args)) } onOpen(cb) { if (typeof cb === 'function') this._onOpenHandlers.push(cb) } triggerCloseHandlers(...args) { this._onCloseHandlers.forEach(h => h(...args)) setTimeout(() => this.connect(), 5000) } onClose(cb) { if (typeof cb === 'function') this._onCloseHandlers.push(cb) } triggerMessageHandlers(...args) { this._onMessageHandlers.forEach(h => h(...args)) } onMessage(cb) { if (typeof cb === 'function') this._onMessageHandlers.push(cb) } send(data) { if (!this._ws) return this.triggerErrorHandlers({ message: 'WebSocket not ready!' }) if (this._ws.readyState) { return this._ws.send(data) } return setTimeout(() => { this.send(data) }, 10) } }
 var AspxApiJs = { "Your Wishlist Contains:": "您的收藏包含:", "WishList +": "愿望清单+", "My Wishlist": "我的收藏", "Your Wishlist Contains:": "您的收藏包含:", "The selected item already exist in your wishlist.": "所选择的项目已经存在于你的愿望清单。", "Information Alert": "信息提示", "Please choose available variants!": "请选择可用的变种!", "The selected item already exist in wishlist.": "所选择的项目已经存在于愿望清单。", "Error Message": "错误信息", "Failed to add item in wishlist!": "无法在愿望清单添加商品!", "Successful Message": "成功的消息", "Item has been successfully added to wishlist.": "商品已成功添加到愿望清单。", "Advanced Search": "高级搜索" };
import React, {Component, PropTypes} from 'react'; class SearchBox extends Component { render() { return ( <div className='searchBox'> <input type='text' placeholder='search for a movie...' onChange={this.props.onChange} /> </div> ); } } SearchBox.propTypes = { onChange: PropTypes.func.isRequired }; export default SearchBox;
import { fromJS } from 'immutable'; import doctorReducer from '../reducer'; describe('doctorReducer', () => { it('returns the initial state', () => { expect(doctorReducer(undefined, {})).toEqual(fromJS({})); }); });
/** * @module lib/gamepad */ define(function(require, exports, module) { 'use strict'; // Firefox will not give us Joystick data unless we register this NOP // callback. // https://bugzilla.mozilla.org/show_bug.cgi?id=936104 window.addEventListener('gamepadconnected', function() {}); var getGamepads = navigator.getGamepads || navigator.webkitGamepads || navigator.mozGamepads || navigator.gamepads || navigator.webkitGetGamepads; /** * Browser normalized and bound navigator.getGamepads method. * * @public */ exports.getGamepads = getGamepads ? getGamepads.bind(navigator) : null; /** * Does the current browser support the Gamepad API? * * @public */ exports.isSupported = typeof exports.getGamepads === 'function'; /** * What devices are currently connected? * * @public */ exports.connected = {}; /** * Listens for new gamepads, and triggers the callback when it detects a * change. * The callback is passed an array of active gamepads. */ exports.pollForDevices = function(callback, frequency) { // NOP if the browser doesn't support gamepads. if (!exports.isSupported) { // Maintain API parity with real stopper function. return { stop: function() {} }; } // If you ever want to stop looping, set this to false. var loop = true; // The loop stopping method. var stopper = { stop: function() { loop = false; } }; // DEFAULT: Check gamepads every second. if (typeof frequency === 'undefined') { frequency = 1000; } function loopDevices() { var gamepads = exports.getGamepads(); var current = {}; var hasChanged = false; // Find newly added gamepad devices. for (var i = 0; i < gamepads.length; i++) { var gamepad = gamepads[i]; // Move on to the next device, this one isn't usable. if (gamepad == null) { continue; } // If this gamepad hasn't been seen before, mark this loop as changed. if (!exports.connected[gamepad.id]) { hasChanged = true; } // Cache this gamepad in the current object. current[gamepad.id] = gamepad; } // Find removed gamepad devices. Object.keys(exports.connected).map(function(key) { if (!current[key]) { delete exports.connected; hasChanged = true; } }); // Attach the new list to the exports. exports.connected = current; // Essentially `Object.values`, turn all values into an array. var connectedList = Object.keys(exports.connected).map(function(key) { return exports.connected[key]; }); // If devices have changed, pass the list. if (hasChanged) { callback.call(stopper, connectedList); } // Loop for new devices. if (loop) { setTimeout(loopDevices, frequency); } } // Initiate polling. loopDevices(); return stopper; }; });
'use strict'; import { ADD_DATA } from '../actions/dummy'; const initialState = { welcome: '', articles: [] }; export default function dummy(state = initialState, action = {}) { switch (action.type) { case ADD_DATA: return Object.assign({}, state, { welcome: action.json.welcome, articles: action.json.articles }); default: return state; } }
'use strict'; /* Controllers */ angular.module('myApp.controllers', []) .controller('HomeController', ['$scope', function($scope) { }]) .controller('MusicController', ['$scope', '$firebaseArray', function($scope, $firebaseArray) { var recordsRef = new Firebase("https://recordly.firebaseio.com/"); // Firebase synchronized array $scope.allMusic = $firebaseArray(recordsRef); // TODO: synchronize these arrays $scope.albums = []; $scope.artists = []; $scope.songs = []; $scope.metadata = {song: '', artist: '', album: ''}; $scope.saveMusic = function() { $scope.allMusic.$add($scope.metadata); $scope.albums.push({title: $scope.metadata.album, favorite: false}); $scope.artists.push({name: $scope.metadata.artist, favorite: false}); $scope.songs.push({title: $scope.metadata.song, favorite: false}); // Clear out data after it has been saved! $scope.metadata = {song: '', artist: '', album: ''}; }; }]) .controller('AuthController', ['$scope', '$firebaseAuth', '$rootScope', '$location', function($scope, $firebaseAuth, $rootScope, $location) { // Callback for checking authentication state function authDataCallback(authData) { if (authData) { // save logged in user on rootScope $rootScope.currentUser = authData.uid; } else { console.log("User is logged out"); $rootScope.currentUser = null; } } var auth = new Firebase('https://recordly.firebaseio.com/'); auth.onAuth(authDataCallback); $scope.user = {email:'', password:''}; // Callback function for user registration function registrationHandler(error, data) { if (error) { console.log("Registration failed!"); } else { $scope.login(); } } // Callback function for user login function loginHandler(error, data) { if (error) { console.log("Login failed!\n%s" % error); } else { console.log(data); $location.path("/music"); $scope.$apply(); } } $scope.register = function() { auth.createUser($scope.user, registrationHandler) } $scope.login = function() { auth.authWithPassword($scope.user, loginHandler); } $scope.logout = function() { auth.unauth(); $location.path("/"); } }]);
import React from 'react'; import {Provider} from 'react-redux'; import {createComponentWithIntl} from '@webex/react-test-utils'; import store from './__fixtures__/mock-store'; import ActivityList from '.'; describe('ActivityList', () => { const onActivityDelete = jest.fn(); const onActivityFlag = jest.fn(); it('renders properly', () => { const component = createComponentWithIntl( <Provider store={store}> <ActivityList onActivityDelete={onActivityDelete} onActivityFlag={onActivityFlag} /> </Provider> ); expect(component).toMatchSnapshot(); }); });
'use strict'; var angular = require('angular'); var Controllers = require('./js/controllers'); var Filters = require('./js/filters'); // Injecting modules angular.module('pondApp',[Controllers.name,Filters.name]);
import express from 'express'; import { Routes as AuthRoute } from '../../../../client/authentication/constants'; import { Routes as AnalyticsRoute } from '../../../../client/analytics/constants'; import authenticationPage from './../render/renderAuthenticationPage'; import _ from 'lodash'; const app = express(); const checkToken = (req, res, next) => { var { token } = req.cookies; if (!_.isNil(token) && token.length > 0){ return res.redirect(AnalyticsRoute.OVERVIEW); } return next(); }; app.route('/').get(checkToken); app.route(AuthRoute.LOGIN).get(checkToken, authenticationPage); app.route(AuthRoute.FORGOT_PASSWORD).get(authenticationPage); app.route(AuthRoute.COMPLETE_REGISTRATION).get(authenticationPage); app.route(AuthRoute.COMPLETE_REGISTRATION).get(authenticationPage); app.route(AuthRoute.REQUEST_INVITE).get(authenticationPage); app.route(AuthRoute.RESTORE_PASSWORD).get(authenticationPage); export default app;
'use strict'; // local modules var andNot = require('../consumers/andNot.js'); var any = require('../consumers/any.js'); var block = require('../consumers/block.js'); var constrainValidity = require('../consumers/constrainValidity.js'); var consumerFilter = require('./consumerFilter.js'); var defer = require('../util/defer.js'); var many = require('../consumers/many.js'); var optional = require('../consumers/optional.js'); var or = require('../consumers/or.js'); var sequence = require('../consumers/sequence.js'); var single = require('../consumers/single.js'); var string = require('../consumers/string.js'); var transform = require('../consumers/transform.js'); var lineCommentAndNewline = transform( sequence( string('//'), many( andNot(any, single('\n')) ), constrainValidity( optional(single('\n')), function(value) { return value.set; } ) ), function() { return '\n'; } ); var blockCommentAndNext = undefined; var nextChar = or( lineCommentAndNewline, defer('blockCommentAndNext', function() { return blockCommentAndNext; }), any ); var blockComment = block( string('/*'), string('*/') ); blockCommentAndNext = transform( sequence( blockComment, nextChar ), function(value) { return value[1]; } ); module.exports = function(inputStream) { return consumerFilter(nextChar, inputStream); };
test('App works', () => {}) // import React from 'react'; // import ReactDOM from 'react-dom'; // import App from './App'; // it('renders without crashing', () => { // const div = document.createElement('div'); // ReactDOM.render(<App />, div); // ReactDOM.unmountComponentAtNode(div); // }); // import React from 'react' // import { render, fireEvent } from 'react-testing-library' // import App from '../App' // test('App works', () => { // const { container } = render(<App />) // console.log(container) // const buttons = container.querySelectorAll('button') // expect(buttons[0].textContent).toBe('+1') // expect(buttons[1].textContent).toBe('+10') // expect(buttons[2].textContent).toBe('+100') // expect(buttons[3].textContent).toBe('+1000') // const result = container.querySelector('span') // expect(result.textContent).toBe('0') // fireEvent.click(buttons[0]) // expect(result.textContent).toBe('1') // fireEvent.click(buttons[1]) // expect(result.textContent).toBe('11') // fireEvent.click(buttons[2]) // expect(result.textContent).toBe('111') // fireEvent.click(buttons[3]) // expect(result.textContent).toBe('1111') // fireEvent.click(buttons[2]) // expect(result.textContent).toBe('1211') // fireEvent.click(buttons[1]) // expect(result.textContent).toBe('1221') // fireEvent.click(buttons[0]) // expect(result.textContent).toBe('1222') // }) // import React from 'react' // // import { render, unmountComponentAtNode } from 'react-dom' // import { render } from 'react-dom' // import { App } from '../app' // it('renders without crashing', () => { // const div = document.createElement('div') // render(<App />, div) // // unmountComponentAtNode(div) // })
"use strict"; var _ = require('lodash'); module.exports = function (args) { args = _.toArray(args); return { first: function() { return _.first(args); }, last: function() { return _.last(args); }, applyLeading: function(func) { return args.length < 2 ? func() : func.apply(null, args.splice(0, args.length - 1)); }, toObject: function() { if (args.length > 1 && _.isString(args[0])) { var object = {}; object[args[0]] = args[1]; return object; } else if (args.length == 1 && _.isObject(args[0])) return args[0]; return {}; } }; };
'use strict'; var tcp = require('../'); var net = require('net'); var assert = require('assert'); var sinon = require('sinon'); describe('client', function() { var app, server, port = 8888; beforeEach(function() { app = new tcp(); }); afterEach(function(done) { if (server) server.close(done); }); it('should be able to return data', function(done) { var fixture = 'test'; app.use(function *() { this.body = fixture; }); server = app.listen(port); server.on('error', done); var client = new net.Socket(); client.connect(port, function() { client.write('client'); }); client.on('data', function(data) { assert(data); var result = JSON.parse(data.toString()); assert(result === fixture, 'data return is incorrect'); client.destroy(); done(); }); client.on('error', done); }); it('should be able to return object data', function(done) { var fixture = { key: 'value' }; app.use(function *() { this.body = fixture; }); server = app.listen(port); server.on('error', done); var client = new net.Socket(); client.connect(port, function() { client.write('client-2'); }); client.on('data', function(data) { assert(data); var result = JSON.parse(data.toString()); assert(~Object.getOwnPropertyNames(result).indexOf('key'), 'does not contain proper key'); assert(result.key === fixture.key, 'value return is incorrect'); client.destroy(); done(); }); client.on('error', done); }); it('should be able to catch error', function(done) { var error = new Error('error'); app.use(function *() { throw error; }); server = app.listen(port); server.on('error', done); var client = new net.Socket(); client.connect(port, function() { client.write('data'); }); client.on('data', function(data) { assert(data); data = JSON.parse(data.toString()); assert(data.error); done(); }); client.on('error', done); }); describe('multiple middlewares', function() { it('should be able to use multiple middlewares', function(done) { var fixture = 'value'; var spy = sinon.spy(); app.use(function *(next) { yield next; spy(); }); app.use(function *() { this.body = fixture; }); server = app.listen(port); server.on('error', done); var client = new net.Socket(); client.connect(port, function() { client.write('client-2'); }); client.on('data', function(data) { assert(spy.calledOnce); done(); }); client.on('error', done); }); it('should not called middlewares after error', function(done) { var fixture = 'value'; var spy = sinon.spy(); app.use(function *(next) { yield next; spy(); }); app.use(function *() { throw new Error(); }); server = app.listen(port); server.on('error', done); var client = new net.Socket(); client.connect(port, function() { client.write('client-2'); }); client.on('data', function(data) { assert(spy.notCalled); done(); }); client.on('error', done); }); it('should be able to pass states around', function(done) { var fixture = 'value'; app.use(function *(next) { this.state.test = fixture; yield next; }); app.use(function *() { this.body = this.state.test; }); server = app.listen(port); server.on('error', done); var client = new net.Socket(); client.connect(port, function() { client.write('client-3'); }); client.on('data', function(result) { result = result.toString(); result = JSON.parse(result); assert(result === fixture, 'state was lost'); done(); }); client.on('error', done); }); }); });
function fn(Component) { var data = "prop", _ref = <Component prop={data} />; return () => _ref; }
var path = require("path"); var ExtractTextPlugin = require("extract-text-webpack-plugin"); var InlineEnviromentVariablesPlugin = require('inline-environment-variables-webpack-plugin'); var webpack = require("webpack"); var assetsPath = path.join(__dirname, "..", "public", "assets"); var publicPath = "/assets/"; var commonLoaders = [ { /* * TC39 categorises proposals for babel in 4 stages * Read more http://babeljs.io/docs/usage/experimental/ */ test: /\.js$|\.jsx$/, loader: 'babel-loader', // Reason why we put this here instead of babelrc // https://github.com/gaearon/react-transform-hmr/issues/5#issuecomment-142313637 query: { "presets": ["es2015", "react", "stage-0"], "plugins": [ "transform-react-remove-prop-types", "transform-react-constant-elements", "transform-react-inline-elements" ] }, include: path.join(__dirname, '..', 'app'), exclude: path.join(__dirname, '..', 'node_modules') }, {test: /\.json$/, loader: "json-loader"}, { test: /\.(png|jpg|jpeg|gif|svg|woff|woff2)$/, loader: 'url', query: { name: '[hash].[ext]', limit: 10000, } }, { test: /\.less$/, loader: ExtractTextPlugin.extract('style-loader', 'css-loader?module!postcss-loader', 'less') }, { test: /\.css$/, loader: ExtractTextPlugin.extract('style-loader', 'css-loader?module!postcss-loader') }, { test: /\.woff(\?v=\d+\.\d+\.\d+)?$/, loader: "url?limit=10000&mimetype=application/font-woff" }, { test: /\.woff2(\?v=\d+\.\d+\.\d+)?$/, loader: "url?limit=10000&mimetype=application/font-woff" }, { test: /\.ttf(\?v=\d+\.\d+\.\d+)?$/, loader: "url?limit=10000&mimetype=application/octet-stream" }, { test: /\.eot(\?v=\d+\.\d+\.\d+)?$/, loader: "file" }, { test: /\.svg(\?v=\d+\.\d+\.\d+)?$/, loader: "url?limit=10000&mimetype=image/svg+xml" } ]; var postCSSConfig = function () { return [ require('postcss-import')(), // Note: you must set postcss-mixins before simple-vars and nested require('postcss-mixins')(), require('postcss-simple-vars')(), // Unwrap nested rules like how Sass does it require('postcss-nested')(), // parse CSS and add vendor prefixes to CSS rules require('autoprefixer')({ browsers: ['last 2 versions', 'IE > 8'] }), // A PostCSS plugin to console.log() the messages registered by other // PostCSS plugins require('postcss-reporter')({ clearMessages: true }) ]; }; module.exports = [ { // The configuration for the client name: "browser", /* The entry point of the bundle * Entry points for multi page app could be more complex * A good example of entry points would be: * entry: { * pageA: "./pageA", * pageB: "./pageB", * pageC: "./pageC", * adminPageA: "./adminPageA", * adminPageB: "./adminPageB", * adminPageC: "./adminPageC" * } * * We can then proceed to optimize what are the common chunks * plugins: [ * new CommonsChunkPlugin("admin-commons.js", ["adminPageA", "adminPageB"]), * new CommonsChunkPlugin("common.js", ["pageA", "pageB", "admin-commons.js"], 2), * new CommonsChunkPlugin("c-commons.js", ["pageC", "adminPageC"]); * ] */ // A SourceMap is emitted. devtool: "source-map", context: path.join(__dirname, "..", "app"), entry: { app: "./client" }, output: { // The output directory as absolute path path: assetsPath, // The filename of the entry chunk as relative path inside the output.path directory filename: "[name].js", // The output path from the view of the Javascript publicPath: publicPath }, module: { loaders: commonLoaders }, resolve: { extensions: ['', '.js', '.jsx', '.css'], modulesDirectories: [ "app", "node_modules" ] }, plugins: [ // extract inline css from modules into separate files new ExtractTextPlugin("styles/main.css"), new webpack.optimize.UglifyJsPlugin({ compressor: { warnings: false } }), new webpack.DefinePlugin({ __DEVCLIENT__: false, __DEVSERVER__: false }), new InlineEnviromentVariablesPlugin({NODE_ENV: 'production'}) ], postcss: postCSSConfig }, { // The configuration for the server-side rendering name: "server-side rendering", context: path.join(__dirname, "..", "app"), entry: { server: "./server" }, target: "node", output: { // The output directory as absolute path path: assetsPath, // The filename of the entry chunk as relative path inside the output.path directory filename: "server.js", // The output path from the view of the Javascript publicPath: publicPath, libraryTarget: "commonjs2" }, module: { loaders: commonLoaders }, resolve: { extensions: ['', '.js', '.jsx', '.css'], modulesDirectories: [ "app", "node_modules" ] }, plugins: [ // Order the modules and chunks by occurrence. // This saves space, because often referenced modules // and chunks get smaller ids. new webpack.optimize.OccurenceOrderPlugin(), new ExtractTextPlugin("styles/main.css"), new webpack.optimize.UglifyJsPlugin({ compressor: { warnings: false } }), new webpack.DefinePlugin({ __DEVCLIENT__: false, __DEVSERVER__: false }), new InlineEnviromentVariablesPlugin({NODE_ENV: 'production'}) ], postcss: postCSSConfig } ];
import React, { Component } from 'react' import ReactCSS from 'reactcss' import dynamics from 'dynamics.js' import colors from '../../assets/styles/variables/colors' import FloatingButtonItemLabel from './FloatingButtonItemLabel' class FloatingButtonItem extends Component { classes() { // eslint-disable-line const floatingButtonSize = 40 return { 'default': { wrap: { display: 'inline-flex', alignItems: 'center', position: 'relative', transform: 'scale(0.5)', // for animation }, label: { position: 'absolute', right: '60px', top: '0px', bottom: '0px', }, button: { backgroundColor: colors.primary, height: `${ floatingButtonSize }px`, width: `${ floatingButtonSize }px`, // TODO: use utils for sizing borderRadius: '100%', display: 'flex', alignItems: 'center', justifyContent: 'center', boxShadow: '0px 4px 10px 0px rgba(221, 33, 48, 0.33)', transition: 'box-shadow 0.2s cubic-bezier(0.4, 0, 0.2, 1)', cursor: 'pointer', }, buttonContent: { width: '24px', }, }, 'hover': { button: { boxShadow: '0 8px 17px 0 rgba(221, 33, 48, 0.7)', }, }, 'size-large': { button: { height: `${ floatingButtonSize * 1.3 }px`, width: `${ floatingButtonSize * 1.3 }px`, right: '900px', }, label: { right: '67px', }, }, } } componentDidMount = () => { dynamics.animate(this.wrap, { scale: 1, }, { type: dynamics.spring, duration: 500, friction: 400, }) } render() { return ( <div is="wrap" ref={ wrap => (this.wrap = wrap) }> { this.props.label && <div is="label"> <FloatingButtonItemLabel label={ this.props.label } hover={ this.props.hover } /> </div> } <a is="button"> <span is="buttonContent"> { this.props.children } </span> </a> </div> ) } } export default ReactCSS.Hover(ReactCSS(FloatingButtonItem))
module.exports.RET = { /* 'Used' : ,'to' : ,'indicate' : ,success. */ 'OK' : 0, /* 'Used' : ,'when' : ,'the' : ,'requested' : ,'object' : ,(type, expression, etc.) 'does' : ,not * exist. */ 'NOT_FOUND' : 1, /* 'Used' : ,'when' : ,'the' : ,'given' : ,'parameters' : ,'do' : ,'not' : ,'make' : ,sense. */ 'NOT_APPLICABLE' : 2 } module.exports.LOC = { 'Char' : 0, 'Implant' : 1, 'Skill' : 2, 'Ship' : 3, 'Module' : 4, 'Charge' : 5, 'Drone' : 6 }; module.exports.STATE = { /* 'These' : ,'values' : ,'are' : ,'actually' : ,bitmasks: 'if' : ,'bit' : ,'of' : ,'index' : ,'i' : ,'is' : ,set, * 'it' : ,'means' : ,'effects' : ,'with' : ,'category' : ,'i' : ,'should' : ,'be' : ,evaluated. */ 'Unplugged' : 0, /* '0b00000000' : ,*/ 'Offline' : 1, /* '0b00000001' : ,*/ 'Online' : 17, /* '0b00010001' : ,*/ 'Active' : 31, /* '0b00011111' : ,*/ 'Overloaded' : 63 /* '0b00111111' : ,*/ }; module.exports.ATT = { IsOnline: 2, Damage: 3, Mass: 4, CapacitorNeed: 6, MinRange: 8, Hp: 9, PowerOutput: 11, LowSlots: 12, MedSlots: 13, HiSlots: 14, PowerLoad: 15, Charge: 18, PowerToSpeed: 19, SpeedFactor: 20, WarpFactor: 21, WarpInhibitor: 29, Power: 30, MaxArmor: 31, BreakPoint: 32, MaxVelocity: 37, Capacity: 38, DamageHP: 39, Slots: 47, CpuOutput: 48, CpuLoad: 49, Cpu: 50, Speed: 51, DamageResistance: 52, MaxRange: 54, RechargeRate: 55, ChargeRate: 56, TargetModule: 61, AccuracyBonus: 63, DamageMultiplier: 64, ArmorBonus: 65, DurationBonus: 66, CapacitorBonus: 67, ShieldBonus: 68, RateBonus: 69, Agility: 70, CapacityBonus: 72, Duration: 73, HpToCapacity: 75, MaxTargetRange: 76, MiningAmount: 77, ScanSpeed: 79, SpeedBonus: 80, HpFactor: 81, StructureBonus: 82, StructureDamageAmount: 83, ArmorDamageAmount: 84, ShieldTransferRange: 87, ShieldDrainAmount: 88, ShieldDrainRange: 89, PowerTransferAmount: 90, PowerTransferRange: 91, KineticDampeningFieldStrength: 92, KineticDampeningFieldBonus: 93, EnergyReflectionStrength: 95, EnergyReflectionBonus: 96, EnergyDestabilizationAmount: 97, EnergyDestabilizationRange: 98, EmpFieldRange: 99, LauncherSlotsLeft: 101, TurretSlotsLeft: 102, WarpScrambleRange: 103, WarpScrambleStatus: 104, WarpScrambleStrength: 105, DroneBaySlotsLeft: 106, ExplosionRange: 107, DetonationRange: 108, KineticDamageResonance: 109, ThermalDamageResonance: 110, ExplosiveDamageResonance: 111, EnergyDamageAbsorptionFactor: 112, EmDamageResonance: 113, EmDamage: 114, ExplosiveDamage: 116, KineticDamage: 117, ThermalDamage: 118, WeaponRangeMultiplier: 120, PowerOutputBonus: 121, ArmorPiercingChance: 122, ShieldPiercingChance: 123, MainColor: 124, ShipScanRange: 125, CargoScanRange: 126, AmmoLoaded: 127, ChargeSize: 128, MaxPassengers: 129, ThermalDamageResonanceMultiplier: 130, KineticDamageResonanceMultiplier: 131, ExplosiveDamageResonanceMultiplier: 132, EmDamageResonanceMultiplier: 133, ShieldRechargeRateMultiplier: 134, ModuleSize: 135, Uniformity: 136, LauncherGroup: 137, EmDamageBonus: 138, ExplosiveDamageBonus: 139, KineticDamageBonus: 140, ThermalDamageBonus: 141, EcmBurstRange: 142, TargetHostileRange: 143, CapacitorRechargeRateMultiplier: 144, PowerOutputMultiplier: 145, ShieldCapacityMultiplier: 146, CapacitorCapacityMultiplier: 147, ArmorHPMultiplier: 148, CargoCapacityMultiplier: 149, StructureHPMultiplier: 150, AgilityBonus: 151, MaxPassengersBonus: 152, WarpCapacitorNeed: 153, ProximityRange: 154, IncapacitationRatio: 156, OrbitRange: 157, Falloff: 158, TrackingSpeed: 160, Volume: 161, Radius: 162, DummyDuration: 163, Charisma: 164, Intelligence: 165, Memory: 166, Perception: 167, Willpower: 168, AgilityMultiplier: 169, CustomCharismaBonus: 170, CustomWillpowerBonus: 171, CustomPerceptionBonus: 172, CustomMemoryBonus: 173, CustomIntelligenceBonus: 174, CharismaBonus: 175, IntelligenceBonus: 176, MemoryBonus: 177, PerceptionBonus: 178, WillpowerBonus: 179, PrimaryAttribute: 180, SecondaryAttribute: 181, RequiredSkill1: 182, RequiredSkill2: 183, RequiredSkill3: 184, AttributePoints: 185, WarpCapacitorNeedMultiplier: 186, RepairCostMultiplier: 187, CargoScanResistance: 188, TargetGroup: 189, CorporationMemberLimit: 190, CorporationMemberBonus: 191, MaxLockedTargets: 192, MaxAttackTargets: 193, JammingResistance: 194, RaceID: 195, ManufactureSlotLimit: 196, SurveyScanRange: 197, CpuMultiplier: 202, MiningDurationMultiplier: 203, SpeedMultiplier: 204, AccuracyMultiplier: 205, MiningAmountMultiplier: 207, ScanRadarStrength: 208, ScanLadarStrength: 209, ScanMagnetometricStrength: 210, ScanGravimetricStrength: 211, MissileDamageMultiplier: 212, MissileDamageMultiplierBonus: 213, CapacitorNeedMultiplier: 216, PropulsionGraphicID: 217, BlueprintResearchTimeMultiplier: 218, ManufactureTimeMultiplier: 219, BlueprintResearchTimeMultiplierBonus: 220, BlueprintManufactureTimeMultiplier: 221, BlueprintManufactureTimeMultiplierBonus: 222, CharismaSkillTrainingTimeMultiplier: 223, IntelligenceSkillTrainingTimeMultiplier: 224, MemorySkillTrainingTimeMultiplier: 225, PerceptionSkillTrainingTimeMultiplier: 226, WillpowerSkillTrainingTimeMultiplier: 227, CharismaSkillTrainingTimeMultiplierBonus: 228, IntelligenceSkillTrainingTimeMultiplierBonus: 229, MemorySkillTrainingTimeMultiplierBonus: 230, PerceptionSkillTrainingTimeMultiplierBonus: 231, WillpowerSkillTrainingTimeMultiplierBonus: 232, MaxLockedTargetsBonus: 235, MaxAttackTargetsBonus: 236, MaxTargetRangeMultiplier: 237, ScanGravimetricStrengthBonus: 238, ScanLadarStrengthBonus: 239, ScanMagnetometricStrengthBonus: 240, ScanRadarStrengthBonus: 241, ScanSpeedMultiplier: 242, MaxRangeMultiplier: 243, TrackingSpeedMultiplier: 244, GfxTurretID: 245, GfxBoosterID: 246, EntityAttackRange: 247, EntityLootValueMin: 248, EntityLootValueMax: 249, EntityLootCountMin: 250, EntityLootCountMax: 251, EntitySecurityStatusKillBonus: 252, EntitySecurityStatusAggressionBonus: 253, MinLootCount: 254, MaxLootCount: 256, EntityFollowRange: 257, MinLootValue: 258, MaxLootValue: 259, AttackRange: 260, KillStatusModifier: 261, AttackStatusModifier: 262, ShieldCapacity: 263, ShieldCharge: 264, ArmorHP: 265, ArmorDamage: 266, ArmorEmDamageResonance: 267, ArmorExplosiveDamageResonance: 268, ArmorKineticDamageResonance: 269, ArmorThermalDamageResonance: 270, ShieldEmDamageResonance: 271, ShieldExplosiveDamageResonance: 272, ShieldKineticDamageResonance: 273, ShieldThermalDamageResonance: 274, SkillTimeConstant: 275, SkillPoints: 276, RequiredSkill1Level: 277, RequiredSkill2Level: 278, RequiredSkill3Level: 279, SkillLevel: 280, ExplosionDelay: 281, LauncherCapacityMultiplier: 282, DroneCapacity: 283, ExcludeGangMembers: 284, ExcludeCorporationMembers: 285, ExcludeHostiles: 286, KDmgBonus: 287, ShipCPUBonus: 288, TurretDamageBonus: 289, SkillTurretDmgBonus: 290, CpuskillBonus: 291, DamageMultiplierBonus: 292, RofBonus: 293, RangeSkillBonus: 294, AbPowerBonus: 295, AcPowerBonus: 296, AfPowerBonus: 297, AtPowerBonus: 298, CbTRangeBonus: 299, CcTRangeBonus: 300, CfTRangeBonus: 301, CiTRangeBonus: 302, AiPowerBonus: 303, CtTRangeBonus: 304, GbCpuBonus: 305, MaxVelocityBonus: 306, ScannerDurationBonus: 307, ScanspeedBonus: 308, MaxTargetRangeBonus: 309, CpuNeedBonus: 310, MaxTargetBonus: 311, DurationSkillBonus: 312, PowerEngineeringOutputBonus: 313, CapRechargeBonus: 314, VelocityBonus: 315, CorpMemberBonus: 316, CapNeedBonus: 317, SpeedFBonus: 318, WarpCapacitorNeedBonus: 319, PowerUseBonus: 320, BurstSpeed: 321, BurstSpeedMutator: 322, PowerNeedBonus: 323, BarrageDmgMutator: 324, BarrageFalloffMutator: 325, BarrageDmgMultiplier: 326, HullHpBonus: 327, BarrageFalloff: 328, GangRofBonus: 329, BoosterDuration: 330, Implantness: 331, BurstDmg: 332, BurstDmgMutator: 333, ShipPowerBonus: 334, ArmorHpBonus: 335, UniformityBonus: 336, ShieldCapacityBonus: 337, Rechargeratebonus: 338, FalloffBonus: 349, SkillTrainingTimeBonus: 350, MaxRangeBonus: 351, MaxActiveDrones: 352, MaxActiveDroneBonus: 353, MaxDroneBonus: 354, NegotiationPercentage: 355, DiplomacyBonus: 356, FastTalkPercentage: 359, ConnectionsBonus: 360, CriminalConnectionsBonus: 361, SocialBonus: 362, AmarrTechTimePercent: 363, MinmatarTechTimePercent: 364, GallenteTechTimePercent: 365, CaldariTechTimePercent: 366, ProductionTimePercent: 367, RefiningTimePercentage: 368, ManufactureCostMultiplier: 369, AmarrTechMutator: 370, CaldariTechMutator: 371, GallenteTechMutator: 372, ProductionTimeMutator: 373, MinmatarTechMutator: 374, ProductionCostMutator: 375, RefiningTimePercent: 376, RefiningTimeMutator: 377, RefiningYieldPercentage: 378, RefiningYieldMutator: 379, MaxActiveFactory: 380, MaxActiveFactories: 383, MaxResearchGangSize: 384, ManufacturingTimeResearchSpeed: 385, ResearchCostPercent: 386, CopySpeedPercent: 387, FrigateConstructionCost: 388, CruiserConstructionCost: 389, IndustrialConstructionCost: 392, BattleshipConstructionCost: 393, TitanConstructionTime: 394, StationConstructionTime: 395, RepairCostPercent: 396, ReverseEngineeringChance: 397, MineralNeedResearchSpeed: 398, DuplicatingChance: 399, MissileStandardVelocityPecent: 400, CruiseMissileVelocityPercent: 401, HeavyMissileSpeedPercent: 402, RocketDmgPercent: 403, TorpedoVelocityPercent: 404, DefenderVelocityPercent: 405, MissileFOFVelocityPercent: 406, ResearchGangSizeBonus: 407, BattleshipConstructionTimeBonus: 408, CruiserConstructionTimeBonus: 409, FrigateConstructionTimeBonus: 410, IndustrialConstructionTimeBonus: 411, ConnectionBonusMutator: 412, CriminalConnectionsMutator: 413, DiplomacyMutator: 414, FastTalkMutator: 415, EntityFlyRange: 416, MaxNonRaceCorporationMembers: 417, NonRaceCorporationMembersBonus: 418, SkillPointsSaved: 419, TrackingBonus: 420, ShieldRechargerateBonus: 421, TechLevel: 422, EntityDroneCount: 423, CpuOutputBonus2: 424, CpuOutputBonus: 425, HeavyDroneDamagePercent: 426, HeavyDroneDamageBonus: 427, MiningDroneAmountPercent: 428, MiningDroneSpeedBonus: 429, ScoutDroneVelocityPercent: 430, ScoutDroneVelocityBonus: 431, DefenderVelocityBonus: 432, HeavyMissileDamageBonus: 433, MiningAmountBonus: 434, MaxGangModules: 435, StandingIncreasePercent: 436, NegotiationBonus: 437, SocialMutator: 438, TargetingSpeedBonus: 439, ManufacturingTimeBonus: 440, TurretSpeeBonus: 441, BarterDiscount: 442, TradePremium: 443, ContrabandFencingChance: 444, SmugglingChance: 445, TradePremiumBonus: 446, SmugglingChanceBonus: 447, FencingChanceBonus: 448, BarterDiscountBonus: 449, ManufacturingSlotBonus: 450, ManufactureCostBonus: 451, CopySpeedBonus: 452, BlueprintmanufactureTimeBonus: 453, Mutaton: 454, LearningBonus: 455, EntityEquipmentMin: 456, EntityEquipmentMax: 457, DroneControlDistance: 458, DroneRangeBonus: 459, ShipBonusMF: 460, SpecialAbilityBonus: 461, ShipBonusGF: 462, ShipBonusCF: 463, ShipBonusAF: 464, EntityEquipmentGroupMax: 465, EntityReactionFactor: 466, MaxLaborotorySlots: 467, MineralNeedResearchBonus: 468, EntityBluePrintDropChance: 469, LootRespawnTime: 470, LaboratorySlotsBonus: 471, StationTypeID: 472, PrototypingBonus: 473, InventionBonus: 474, EntityAttackDelayMin: 475, EntityAttackDelayMax: 476, ShipBonusAC: 478, ShieldRechargeRate: 479, MaxEffectiveRange: 480, EntityKillBounty: 481, CapacitorCapacity: 482, ShieldUniformity: 484, ShipBonus2AF: 485, ShipBonusGC: 486, ShipBonusCC: 487, ShipVelocityBonusMC: 488, ShipBonusMC: 489, ShipBonusMB: 490, ShipBonusCB: 491, ShipBonusAB: 492, ShipBonusMI: 493, ShipBonusAI: 494, ShipBonusCI: 495, ShipBonusGI: 496, EntityDefenderChance: 497, DroneCapacityBonus: 499, ShipBonusGB: 500, ShipBonus2CB: 501, EntityConvoyDroneMin: 502, EntityConvoyDroneMax: 503, EntityWarpScrambleChance: 504, WarpScrambleDuration: 505, MissileLaunchDuration: 506, EntityMissileTypeID: 507, EntityCruiseSpeed: 508, CargoScanFalloff: 509, ShipScanFalloff: 510, ShipScanResistance: 511, ModifyTargetSpeedChance: 512, ModifyTargetSpeedDuration: 513, ModifyTargetSpeedRange: 514, ModifyTargetSpeedCapacitorNeed: 515, ChassisType: 516, FallofMultiplier: 517, ShipBonusMB2: 518, CloakingCapacitorNeedRatio: 519, DamageCloudChance: 522, ArmorUniformity: 524, StructureUniformity: 525, ReqResearchSkill: 526, ReqManufacturingSkill: 527, ReqManufacturingSkillLevel: 528, ReqResearchSkillLevel: 529, ReqManufacturingTool: 530, ReqResearchTool: 531, ReqResearchComponent: 532, ManufacturerID: 534, InstalledMod: 535, ReqResearchComponetAmount: 536, ReqManufacturingComponent1Amount: 537, ReqManufacturingComponent2Amount: 538, EntityStrength: 542, DamageCloudChanceReduction: 543, CloudEffectDelay: 544, CloudDuration: 545, DamageCloudType: 546, MissileVelocityBonus: 547, ShieldBoostMultiplier: 548, PowerIncrease: 549, ResistanceBonus: 550, RocketVelocityPercent: 551, SignatureRadius: 552, MaxGangSizeBonus: 553, SignatureRadiusBonus: 554, CloakVelocityBonus: 555, AnchoringDelay: 556, MaxFlightTimeBonus: 557, ExplosionRangeBonus: 558, Inertia: 559, CloakingTargetingDelay: 560, ShipBonusGB2: 561, EntityFactionLoss: 562, EntitySecurityMaxGain: 563, ScanResolution: 564, ScanResolutionMultiplier: 565, ScanResolutionBonus: 566, SpeedBoostFactor: 567, EliteBonusInterceptor: 568, EliteBonusCoverOps1: 569, EliteBonusBombers: 570, EliteBonusGunships: 571, EliteBonusdestroyers: 573, EliteBonusBattlecruiser: 575, SpeedBoostFactorCalc: 576, SpeedBoostFactorCalc2: 578, TestForEggert: 579, EntityChaseMaxDelay: 580, EntityChaseMaxDelayChance: 581, EntityChaseMaxDuration: 582, EntityChaseMaxDurationChance: 583, EntityMaxWanderRange: 584, ShipBonusAB2: 585, ShipBonusGF2: 586, ShipBonusMF2: 587, ShipBonusCF2: 588, IsPlayerOwnable: 589, GestaltBonus1: 590, DroneMaxVelocityBonus: 591, CloakCapacitorBonus: 592, Die: 594, CapBoostMultipler: 595, ExplosionDelayBonus: 596, EliteBonusEscorts: 597, ShipBonusCB3: 598, WarpSpeedMultiplier: 600, WarpSpeedBonus: 601, LauncherGroup2: 602, LauncherGroup3: 603, ChargeGroup1: 604, ChargeGroup2: 605, ChargeGroup3: 606, PowerNeedMultiplier: 608, ChargeGroup4: 609, ChargeGroup5: 610, DurationMultiplier: 611, BaseShieldDamage: 612, BaseArmorDamage: 613, CargoCapacityBonus: 614, BoosterShieldBoostAmountPenalty: 616, CloakingTargetingDelayBonus: 619, OptimalSigRadius: 620, TrackingSpeedAtOptimal: 621, MassLimit: 622, CloakingSlotsLeftSuper: 623, WarpSBonus: 624, BountyBonus: 625, BountyMultiplier: 626, BountySkillBonus: 627, BountySkillMultiplyer: 628, CargoGroup: 629, EntityArmorRepairDuration: 630, EntityArmorRepairAmount: 631, InterceptorGF: 632, MetaLevel: 633, NewAgility: 634, TurnAngle: 635, EntityShieldBoostDuration: 636, EntityShieldBoostAmount: 637, EntityArmorRepairDelayChance: 638, EntityShieldBoostDelayChance: 639, EntityGroupRespawnChance: 640, Prereqimplant: 641, ArmingTime: 643, AimedLaunch: 644, MissileEntityVelocityMultiplier: 645, MissileEntityFlightTimeMultiplier: 646, MissileEntityArmingTimeMultiplier: 647, ShieldTUNEBonus: 648, CloakingCpuNeedBonus: 649, MaxStructureDistance: 650, DecloakFieldRange: 651, SignatureRadiusMultiplier: 652, AoeVelocity: 653, AoeCloudSize: 654, AoeFalloff: 655, ShipBonusAC2: 656, ShipBonusCC2: 657, ShipBonusGC2: 658, ShipBonusMC2: 659, ImpactDamage: 660, MaxDirectionalVelocity: 661, MinTargetVelDmgMultiplier: 662, MinMissileVelDmgMultiplier: 663, MaxMissileVelocity: 664, EntityChaseMaxDistance: 665, ModuleShipGroup2: 666, ModuleShipGroup3: 667, ModuleShipGroup1: 668, ModuleReactivationDelay: 669, AreaOfEffectBonus: 670, EntityCruiseSpeedMultiplier: 672, EliteBonusGunship1: 673, EliteBonusGunship2: 675, UnanchoringDelay: 676, OnliningDelay: 677, EliteBonusLogistics1: 678, EliteBonusLogistics2: 679, ShieldRadius: 680, TypeContainerType1: 681, TypeContainerType2: 682, TypeContainerType3: 683, TypeContainerCapacity1: 684, TypeContainerCapacity2: 685, TypeContainerCapacity3: 686, OperationConsumptionRate: 687, ReinforcedConsumptionRate: 688, PackageGraphicID: 689, PackageRadius: 690, TargetSwitchDelay: 691, EliteBonusHeavyGunship1: 692, EliteBonusHeavyGunship2: 693, ResourceReinforced1Type: 694, ResourceReinforced2Type: 695, ResourceReinforced3Type: 696, ResourceReinforced4Type: 697, ResourceReinforced5Type: 698, ResourceReinforced1Quantity: 699, ResourceReinforced2Quantity: 700, ResourceReinforced3Quantity: 701, ResourceReinforced4Quantity: 703, ResourceReinforced5Quantity: 704, ResourceOnline1Type: 705, ResourceOnline2Type: 706, ResourceOnline3Type: 707, ResourceOnline4Type: 708, HarvesterType: 709, HarvesterQuality: 710, MoonAnchorDistance: 711, UsageDamagePercent: 712, ConsumptionType: 713, ConsumptionQuantity: 714, MaxOperationalDistance: 715, MaxOperationalUsers: 716, RefiningYieldMultiplier: 717, OperationalDuration: 719, RefineryCapacity: 720, RefiningDelayMultiplier: 721, PosControlTowerPeriod: 722, ContrabandDetectionChance: 723, ContrabandDetectionResistance: 724, ContrabandScanChance: 725, MoonMiningAmount: 726, DestroyerROFpenality: 727, ControlTowerLaserDamageBonus: 728, ShipBonusMD1: 729, ShipBonusD1: 732, ShipBonusD2: 733, ShipBonusCD1: 734, ShipBonusCD2: 735, ShipBonusGD1: 738, ShipBonusGD2: 739, ShipBonusMD2: 740, ShipBonusBC1: 741, ShipBonusBC2: 742, ShipBonusCBC1: 743, ShipBonusCBC2: 745, ShipBonusGBC2: 746, ShipBonusGBC1: 747, ShipBonusMBC1: 748, ShipBonusMBC2: 749, ControlTowerLaserOptimalBonus: 750, ControlTowerHybridOptimalBonus: 751, ControlTowerProjectileOptimalBonus: 752, ControlTowerProjectileFallOffBonus: 753, ControlTowerProjectileROFBonus: 754, ControlTowerMissileROFBonus: 755, ControlTowerMoonHarvesterCPUBonus: 756, ControlTowerSiloCapacityBonus: 757, ShipBonusDF1: 758, ShipBonusDF2: 759, ControlTowerLaserProximityRangeBonus: 760, ControlTowerProjectileProximityRangeBonus: 761, ControlTowerHybridProximityRangeBonus: 762, MaxGroupActive: 763, ControlTowerEwRofBonus: 764, ScanRange: 765, ControlTowerHybridDamageBonus: 766, TrackingSpeedBonus: 767, MaxRangeBonus2: 769, ControlTowerEwTargetSwitchDelayBonus: 770, AmmoCapacity: 771, EntityFlyRangeFactor: 772, ShipBonusORE1: 773, ShipBonusORE2: 774, MiningCPUNeedBonus: 775, StructureMissileVelocityBonus: 776, StructureMissileDamageBonus: 777, StructureMissileExplosionDelayBonus: 778, EntityFlyRangeMultiplier: 779, IceHarvestCycleBonus: 780, SpecialisationAsteroidGroup: 781, SpecialisationAsteroidYieldMultiplier: 782, CrystalVolatilityChance: 783, CrystalVolatilityDamage: 784, UnfitCapCost: 785, CrystalsGetDamaged: 786, MinScanDeviation: 787, MaxScanDeviation: 788, SpecialtyMiningAmount: 789, ReprocessingSkillType: 790, ScanAnalyzeCount: 791, ControlTowerMissileVelocityBonus: 792, ShipBonusPirateFaction: 793, ProbesInGroup: 794, ShipBonusABC1: 795, MassAddition: 796, MaximumRangeCap: 797, EntityBracketColour: 798, ImplantSetBloodraider: 799, ContrabandDetectionChanceBonus: 800, DeadspaceUnsafe: 801, ImplantSetSerpentis: 802, ImplantSetSerpentis2: 803, EliteBonusInterceptor2: 804, Quantity: 805, RepairBonus: 806, EliteBonusIndustrial1: 807, EliteBonusIndustrial2: 808, ShipBonusAI2: 809, ShipBonusCI2: 811, ShipBonusGI2: 813, ShipBonusMI2: 814, PropulsionFusionStrengthBonus: 815, PropulsionIonStrengthBonus: 816, PropulsionMagpulseStrengthBonus: 817, PropulsionPlasmaStrengthBonus: 818, HitsMissilesOnly: 823, ScanSkillEwStrengthBonus: 828, PropulsionSkillPropulsionStrengthBonus: 829, BonusComplexAngel10: 830, EwTargetJam: 831, ScanSkillTargetPaintStrengthBonus: 832, CommandBonus: 833, WingCommandBonus: 834, StealthBomberLauncherPower: 837, ImplantSetGuristas: 838, EliteBonusCoverOps2: 839, AgentID: 840, AgentCommRange: 841, ReactionGroup1: 842, ReactionGroup2: 843, AgentAutoPopupRange: 844, HiddenLauncherDamageBonus: 845, ScanStrengthBonus: 846, AoeVelocityBonus: 847, AoeCloudSizeBonus: 848, CanUseCargoInSpace: 849, SquadronCommandBonus: 850, ShieldBoostCapacitorBonus: 851, SiegeModeWarpStatus: 852, AdvancedAgility: 853, DisallowAssistance: 854, ActivationTargetLoss: 855, AoeFalloffBonus: 857, MissileEntityAoeCloudSizeMultiplier: 858, MissileEntityAoeVelocityMultiplier: 859, MissileEntityAoeFalloffMultiplier: 860, CanJump: 861, UsageWeighting: 862, ImplantSetAngel: 863, ImplantSetSansha: 864, PlanetAnchorDistance: 865, JumpDriveConsumptionType: 866, JumpDriveRange: 867, JumpDriveConsumptionAmount: 868, JumpDriveDuration: 869, JumpDriveRangeBonus: 870, JumpDriveDurationBonus: 871, DisallowOffensiveModifiers: 872, AdvancedCapitalAgility: 874, DreadnoughtShipBonusA1: 875, DreadnoughtShipBonusA2: 876, DreadnoughtShipBonusC1: 877, DreadnoughtShipBonusC2: 878, DreadnoughtShipBonusG1: 879, DreadnoughtShipBonusG2: 880, DreadnoughtShipBonusM1: 881, DreadnoughtShipBonusM2: 882, MindlinkBonus: 884, ConsumptionQuantityBonus: 885, FreighterBonusA1: 886, FreighterBonusA2: 887, FreighterBonusC1: 888, FreighterBonusC2: 889, FreighterBonusG2: 890, FreighterBonusG1: 891, FreighterBonusM1: 892, FreighterBonusM2: 893, SpeedBoostBonus: 894, ArmorDamageAmountBonus: 895, ArmorDamageDurationBonus: 896, ShieldBonusDurationBonus: 897, JumpDriveCapacitorNeed: 898, JumpDriveCapacitorNeedBonus: 899, AccessDifficulty: 901, AccessDifficultyBonus: 902, SpawnWithoutGuardsToo: 903, WarcruiserCPUBonus: 904, TacklerBonus: 905, DisallowEarlyDeactivation: 906, HasShipMaintenanceBay: 907, ShipMaintenanceBayCapacity: 908, MaxShipGroupActiveID: 909, MaxShipGroupActive: 910, HasFleetHangars: 911, FleetHangarCapacity: 912, GallenteNavyBonus: 913, GallenteNavyBonusMultiplier: 914, CaldariNavyBonus: 915, CaldariNavyBonusMultiplier: 916, AmarrNavyBonus: 917, AmarrNavyBonusMulitplier: 918, RepublicFleetBonus: 919, RepublicFleetBonusMultiplier: 920, OreCompression: 921, EliteBonusBarge1: 924, EliteBonusBarge2: 925, ShipBonusORE3: 926, MiningUpgradeCPUReductionBonus: 927, EntityTargetJam: 928, EntityTargetJamDuration: 929, EntityTargetJamDurationChance: 930, EntityCapacitorDrainDurationChance: 931, EntitySensorDampenDurationChance: 932, EntityTrackingDisruptDurationChance: 933, EntityTargetPaintDurationChance: 935, EntityTargetJamMaxRange: 936, EntityCapacitorDrainMaxRange: 937, EntitySensorDampenMaxRange: 938, EntityTrackingDisruptMaxRange: 940, EntityTargetPaintMaxRange: 941, EntityCapacitorDrainDuration: 942, EntitySensorDampenDuration: 943, EntityTrackingDisruptDuration: 944, EntityTargetPaintDuration: 945, EntityCapacitorDrainAmount: 946, EntitySensorDampenMultiplier: 947, EntityTrackingDisruptMultiplier: 948, EntityTargetPaintMultiplier: 949, EntitySensorDampenFallOff: 950, EntityTrackingDisruptFallOff: 951, EntityCapacitorFallOff: 952, EntityTargetJamFallOff: 953, EntityTargetPaintFallOff: 954, IsCaldariNavy: 955, DamageModifierMultiplierBonus: 956, CNavyModOncNavyShip: 957, HardeningBonus: 958, EntityShieldBoostLargeDelayChance: 959, CaldariNavyBonusMultiplier2: 960, CaldarNavyBonus2: 961, EliteBonusReconShip1: 962, EliteBonusReconShip2: 963, PassiveEmDamageResonanceMultiplier: 964, PassiveThermalDamageResonanceMultiplier: 965, PassiveKineticDamageResonanceMultiplier: 966, PassiveExplosiveDamageResonanceMultiplier: 967, HasStasisWeb: 968, ActiveEmDamageResonance: 969, ActiveThermalDamageResonance: 970, ActiveKineticDamageResonance: 971, ActiveExplosiveDamageResonance: 972, SignatureRadiusBonusPercent: 973, HullEmDamageResonance: 974, HullExplosiveDamageResonance: 975, HullKineticDamageResonance: 976, HullThermalDamageResonance: 977, MaxGroupOnline: 978, MaxJumpClones: 979, HasCloneJumpSlots: 980, AllowsCloneJumpsWhenActive: 981, CanReceiveCloneJumps: 982, SignatureRadiusAdd: 983, EmDamageResistanceBonus: 984, ExplosiveDamageResistanceBonus: 985, KineticDamageResistanceBonus: 986, ThermalDamageResistanceBonus: 987, Hardeningbonus2: 988, VolumePostPercent: 989, ActiveEmResistanceBonus: 990, ActiveExplosiveResistanceBonus: 991, ActiveThermicResistanceBonus: 992, ActiveKineticResistanceBonus: 993, PassiveEmDamageResistanceBonus: 994, PassiveExplosiveDamageResistanceBonus: 995, PassiveKineticDamageResistanceBonus: 996, PassiveThermicDamageResistanceBonus: 997, IsRAMcompatible: 998, EliteBonusCommandShips2: 999, EliteBonusCommandShips1: 1000, JumpPortalConsumptionMassFactor: 1001, JumpPortalDuration: 1002, EliteBonusCommandShip1DONOTUSE: 1003, EliteBonusCommandShip2DONOTUSE: 1004, JumpPortalCapacitorNeed: 1005, EntityShieldBoostDelayChanceSmall: 1006, EntityShieldBoostDelayChanceMedium: 1007, EntityShieldBoostDelayChanceLarge: 1008, EntityArmorRepairDelayChanceSmall: 1009, EntityArmorRepairDelayChanceMedium: 1010, EntityArmorRepairDelayChanceLarge: 1011, EliteBonusInterdictors1: 1012, EliteBonusInterdictors2: 1013, DisallowRepeatingActivation: 1014, EntityShieldBoostDelayChanceSmallMultiplier: 1015, EntityShieldBoostDelayChanceMediumMultiplier: 1016, EntityShieldBoostDelayChanceLargeMultiplier: 1017, EntityArmorRepairDelayChanceSmallMultiplier: 1018, EntityArmorRepairDelayChanceMediumMultiplier: 1019, EntityArmorRepairDelayChanceLargeMultiplier: 1020, WarpAccuracyMaxRange: 1021, WarpAccuracyFactor: 1022, WarpAccuracyFactorMultiplier: 1023, WarpAccuracyMaxRangeMultiplier: 1024, WarpAccuracyFactorPercentage: 1025, WarpAccuracyMaxRangePercentage: 1026, ScanGravimetricStrengthPercent: 1027, ScanLadarStrengthPercent: 1028, ScanMagnetometricStrengthPercent: 1029, ScanRadarStrengthPercent: 1030, ControlTowerSize: 1031, AnchoringSecurityLevelMax: 1032, AnchoringRequiresSovereignty: 1033, CovertOpsAndReconOpsCloakModuleDelay: 1034, CovertOpsStealthBomberTargettingDelay: 1035, TitanAmarrBonus1: 1036, TitanAmarrBonus2: 1038, ShipBonusCT1: 1039, ShipBonusCT2: 1040, TitanGallenteBonus1: 1041, TitanGallenteBonus2: 1042, TitanMinmatarBonus1: 1043, TitanMinmatarBonus2: 1044, MaxTractorVelocity: 1045, CanNotBeTrainedOnTrial: 1047, DisallowOffensiveModifierBonus: 1048, CarrierAmarrBonus1: 1049, CarrierAmarrBonus2: 1050, CarrierAmarrBonus3: 1051, CarrierCaldariBonus1: 1052, CarrierCaldariBonus2: 1053, CarrierCaldariBonus3: 1054, CarrierGallenteBonus1: 1055, CarrierGallenteBonus2: 1056, CarrierGallenteBonus3: 1057, CarrierMinmatarBonus1: 1058, CarrierMinmatarBonus2: 1059, CarrierMinmatarBonus3: 1060, TitanAmarrBonus3: 1061, TitanAmarrBonus4: 1062, TitanCaldariBonus3: 1063, TitanCaldariBonus4: 1064, TitanGallenteBonus3: 1065, TitanGallenteBonus4: 1066, TitanMinmatarBonus4: 1067, TitanMinmatarBonus3: 1068, CarrierAmarrBonus4: 1069, CarrierCaldariBonus4: 1070, CarrierGallenteBonus4: 1071, CarrierMinmatarBonus4: 1072, MaxJumpClonesBonus: 1073, DisallowInEmpireSpace: 1074, MissileNeverDoesDamage: 1075, ImplantBonusVelocity: 1076, MaxDCUModules: 1077, CapacitorCapacityBonus: 1079, CpuPenaltySuperWeapon: 1080, CpuBonusSuperWeapon: 1081, CpuPenaltyPercent: 1082, ArmorHpBonus2: 1083, VelocityBonus2: 1084, HasFuelCargo: 1085, FuelCargoCapacity: 1086, Boosterness: 1087, ExpiryTime: 1088, BoosterEffectChance1: 1089, BoosterEffectChance2: 1090, BoosterEffectChance3: 1091, BoosterEffectChance4: 1092, BoosterEffectChance5: 1093, DisplayCapacitorCapacityBonus: 1094, DisplayShieldBoostMultiplier: 1095, DisplayShieldCapacityBonus: 1096, DisplayAoeVelocityBonus: 1097, DisplayRangeSkillBonus: 1098, BoosterAttribute1: 1099, BoosterAttribute2: 1100, BoosterAttribute3: 1101, BoosterAttribute4: 1102, BoosterAttribute5: 1103, DisplayMaxVelocityBonus: 1104, DisplayArmorHpBonus: 1105, DisplayMissileMaxVelocityBonus: 1106, DisplayArmorDamageAmountBonus: 1107, DisplayFalloffModifier: 1108, DisplayTrackingSpeedModifier: 1109, DisplayAoeCloudsizeModifier: 1110, DisplayMaxRangeModifier: 1111, InventionPropabilityMultiplier: 1112, InventionMEModifier: 1113, InventionTEModifier: 1114, DecryptorID: 1115, ScanProbeStrength: 1116, ScanStrengthSignatures: 1117, ScanStrengthDronesProbes: 1118, ScanStrengthScrap: 1119, ScanStrengthShips: 1120, ScanStrengthStructures: 1121, MaxScanGroups: 1122, ScanDuration: 1123, InventionMaxRunModifier: 1124, BoosterChanceBonus: 1125, BoosterAttributeModifier: 1126, InterfaceID: 1127, Datacore1ID: 1128, Datacore2ID: 1129, EcmStrengthBonusPercent: 1130, MassBonusPercentage: 1131, UpgradeCapacity: 1132, EntityMaxVelocitySignatureRadiusMultiplier: 1133, MaxTargetRangeMultiplierSet: 1134, ScanResolutionMultiplierSet: 1135, ScanAllStrength: 1136, RigSlots: 1137, Drawback: 1138, RigDrawbackBonus: 1139, BoosterArmorHPPenalty: 1141, BoosterArmorRepairAmountPenalty: 1142, BoosterShieldCapacityPenalty: 1143, BoosterTurretOptimalRange: 1144, BoosterTurretTrackingPenalty: 1145, BoosterTurretFalloffPenalty: 1146, BoosterAOEVelocityPenalty: 1147, BoosterMissileVelocityPenalty: 1148, BoosterMissileAOECloudPenalty: 1149, BoosterCapacitorCapacityPenalty: 1150, BoosterMaxVelocityPenalty: 1151, UpgradeLoad: 1152, UpgradeCost: 1153, UpgradeSlotsLeft: 1154, ResearchPointCost: 1155, MaxScanDeviationModifier: 1156, CommandBonus2: 1157, Untargetable: 1158, ArmorHPBonusAdd: 1159, AccessDifficultyBonusModifier: 1160, ScanFrequencyResult: 1161, ExplosionDelayWreck: 1162, CanCloak: 1163, SpeedFactorBonus: 1164, ControlTowerMinimumDistance: 1165, PosPlayerControlStructure: 1167, IsIncapacitated: 1168, ScanGenericStrength: 1169, StructureArmorRepairAmount: 1170, StructureShieldRepairAmount: 1171, StructureArmorBoostValue: 1172, StructureShieldBoostValue: 1173, PosStructureControlAmount: 1174, HeatHi: 1175, HeatMed: 1176, HeatLow: 1177, HeatCapacityHi: 1178, HeatDissipationRateHi: 1179, HeatAbsorbtionRateModifier: 1180, OverloadDurationBonus: 1181, HeatAbsorbtionRateHi: 1182, HeatAbsorbtionRateMed: 1183, HeatAbsorbtionRateLow: 1184, OnliningRequiresSovereigntyLevel: 1185, RemoteArmorDamageAmountBonus: 1186, RemoteArmorDamageDurationBonus: 1187, ShieldTransportDurationBonus: 1188, ShieldTransportAmountBonus: 1189, EwCapacitorNeedBonus: 1190, MaxDronePercentageBonus: 1191, TriageCpuNeedBonus: 1192, ProjECMDurationBonus: 1193, ProjECMCpuNeedBonus: 1194, PosAnchoredPerSolarSystemAmount: 1195, HeatDissipationRateMed: 1196, HeatDissipationRateLow: 1198, HeatCapacityMed: 1199, HeatCapacityLow: 1200, RemoteHullDamageAmountBonus: 1201, RemoteHullDamageDurationBonus: 1202, PowerTransferAmountBonus: 1203, PowerTransferDurationBonus: 1204, OverloadRofBonus: 1205, OverloadSelfDurationBonus: 1206, IsGlobal: 1207, OverloadHardeningBonus: 1208, BombDeploymentCpuNeedMultiplier: 1209, OverloadDamageModifier: 1210, HeatDamage: 1211, RequiredThermoDynamicsSkill: 1212, HeatDamageBonus: 1213, PosStructureControlDistanceMax: 1214, ShieldTransportCpuNeedBonus: 1216, RemoteArmorPowerNeedBonus: 1217, PowerTransferPowerNeedBonus: 1218, DroneArmorDamageAmountBonus: 1219, DroneShieldBonusBonus: 1220, JumpDelayDuration: 1221, OverloadRangeBonus: 1222, OverloadSpeedFactorBonus: 1223, HeatGenerationMultiplier: 1224, OverloadECMStrengthBonus: 1225, OverloadECCMStrenghtBonus: 1226, SignatureRadiusBonusBonus: 1227, SignatureRadiusMultiplierMultiplier: 1228, ThermodynamicsHeatDamage: 1229, OverloadArmorDamageAmount: 1230, OverloadShieldBonus: 1231, CapacitySecondary: 1233, SurveyScannerRangeBonus: 1234, CargoScannerRangeBonus: 1235, CommandBonusEffective: 1236, CommandBonusAdd: 1237, CommandBonusEffectiveAdd: 1238, ShipBonusORECapital1: 1239, ShipBonusORECapital2: 1240, ShipBonusORECapital3: 1243, ShipBonusORECapital4: 1244, DisallowActivateOnWarp: 1245, EliteBonusHeavyInterdictors1: 1246, EliteBonusHeavyInterdictors2: 1247, EliteBonusElectronicAttackShip1: 1249, EliteBonusElectronicAttackShip2: 1250, SecurityClearance: 1251, IsCovert: 1252, JumpHarmonics: 1253, CanNotUseStargates: 1254, DroneDamageBonus: 1255, DroneHPBonus: 1256, EliteBonusBlackOps1: 1257, EliteBonusBlackOps2: 1258, HeatAttenuationHi: 1259, HeatAttenuationMed: 1261, HeatAttenuationLow: 1262, TowerHPOnlineMutator: 1263, BrokenRepairCostMultiplier: 1264, EliteBonusViolators1: 1265, EliteBonusViolators2: 1266, ModuleRepairRate: 1267, EliteBonusViolatorsRole1: 1268, EliteBonusViolatorsRole2: 1269, SpeedBoostFactorBonus: 1270, DroneBandwidth: 1271, DroneBandwidthUsed: 1272, DroneBandwidthLoad: 1273, MiningTargetMultiplier: 1274, DroneIsAgressive: 1275, NonBrokenModuleRepairCostMultiplier: 1276, ShipBrokenModuleRepairCostMultiplier: 1277, DroneIsChaotic: 1278, EliteBonusViolatorsRole3: 1279, EliteBonusInterceptorRole: 1280, BaseWarpSpeed: 1281, ImplantSetThukker: 1282, FightersAttackAndFollow: 1283, ImplantSetSisters: 1284, RequiredSkill4: 1285, RequiredSkill4Level: 1286, RequiredSkill5Level: 1287, RequiredSkill6Level: 1288, RequiredSkill5: 1289, RequiredSkill6: 1290, ImplantSetSyndicate: 1291, ImplantSetORE: 1292, ImplantSetMordus: 1293, ShipBrokenRepairCostMultiplierBonus: 1294, ModuleRepairRateBonus: 1295, ConsumptionQuantityBonusPercentage: 1296, DroneFocusFire: 1297, CanFitShipGroup1: 1298, CanFitShipGroup2: 1299, CanFitShipGroup3: 1300, CanFitShipGroup4: 1301, CanFitShipType1: 1302, CanFitShipType2: 1303, CanFitShipType3: 1304, CanFitShipType4: 1305, MaxRangeMultiplierBonusAdditive: 1306, TrackingSpeedMultiplierBonusAdditive: 1307, MaxTargetRangeMultiplierBonusAdditive: 1308, ScanResolutionMultiplierBonusAdditive: 1309, CommandBonusHidden: 1310, EliteBonusJumpFreighter1: 1311, EliteBonusJumpFreighter2: 1312, MaxTargetRangeBonusBonus: 1313, ScanResolutionBonusBonus: 1314, MaxRangeBonusBonus: 1315, TrackingSpeedBonusBonus: 1316, MaxRangeHidden: 1317, WarpScrambleStrengthHidden: 1318, CapacitorNeedHidden: 1319, CommandBonusECM: 1320, CommandBonusRSD: 1321, CommandBonusTD: 1322, CommandBonusTP: 1323, MassBonusPercentageBonus: 1324, SpeedBoostFactorBonusBonus: 1325, SpeedFactorBonusBonus: 1326, WarpScrambleRangeBonus: 1327, DroneBandwidthMultiplier: 1328, DroneBandwidthBonusAdd: 1329, IsHacking: 1330, IsArcheology: 1331, FalloffBonusBonus: 1332, MaxVelocityLimited: 1333, MaxVelocityActivationLimit: 1334, DefenderRaceID: 1335, JumpClonesLeft: 1336, CaptureProximityRange: 1337, FactionDefenderID: 1339, FactionOffenderID: 1340, FactionID: 1341, ActivationBlocked: 1349, ActivationBlockedStrenght: 1350, PosCargobayAcceptType: 1351, PosCargobayAcceptGroup: 1352, AoeDamageReductionFactor: 1353, AoeDamageReductionSensitivity: 1354, ShipOrcaTractorBeamRangeBonus1: 1355, ShipOrcaCargoBonusOrca1: 1356, ShipOrcaTractorBeamVelocityBonus2: 1357, ShipOrcaForemanBonus: 1358, ShipOrcaSurveyScannerBonus: 1359, ShipBonusHPExtender1: 1360, EliteIndustrialCovertCloakBonus: 1361, SubSystemSlot: 1366, MaxSubSystems: 1367, TurretHardPointModifier: 1368, LauncherHardPointModifier: 1369, BaseScanRange: 1370, BaseSensorStrength: 1371, BaseMaxScanDeviation: 1372, RangeFactor: 1373, HiSlotModifier: 1374, MedSlotModifier: 1375, LowSlotModifier: 1376, CpuOutputAdd: 1377, PowerOutputAdd: 1378, MaxVelocityAdd: 1379, FitsToShipType: 1380, WormholeTargetSystemClass: 1381, WormholeMaxStableTime: 1382, WormholeMaxStableMass: 1383, WormholeMassRegeneration: 1384, WormholeMaxJumpMass: 1385, WormholeTargetRegion1: 1386, WormholeTargetRegion2: 1387, WormholeTargetRegion3: 1388, WormholeTargetRegion4: 1389, WormholeTargetRegion5: 1390, WormholeTargetRegion6: 1391, WormholeTargetRegion7: 1392, WormholeTargetRegion8: 1393, WormholeTargetRegion9: 1394, WormholeTargetConstellation1: 1395, WormholeTargetConstellation2: 1396, WormholeTargetConstellation3: 1397, WormholeTargetConstellation4: 1398, WormholeTargetConstellation5: 1399, WormholeTargetConstellation6: 1400, WormholeTargetConstellation7: 1401, WormholeTargetConstellation8: 1402, WormholeTargetConstellation9: 1403, WormholeTargetSystem1: 1404, WormholeTargetSystem2: 1405, WormholeTargetSystem3: 1406, WormholeTargetSystem4: 1407, WormholeTargetSystem5: 1408, WormholeTargetSystem6: 1409, WormholeTargetSystem7: 1410, WormholeTargetSystem8: 1411, WormholeTargetSystem9: 1412, ProbeCanScanShips: 1413, AIShouldUseEvasiveManeuver: 1414, AITargetSwitchTimer: 1416, Color: 1417, PassiveArmorEmDamageResonance: 1418, PassiveArmorThermalDamageResonance: 1419, PassiveArmorKineticDamageResonance: 1420, PassiveArmorExplosiveDamageResonance: 1421, PassiveShieldExplosiveDamageResonance: 1422, PassiveShieldEmDamageResonance: 1423, PassiveShieldKineticDamageResonance: 1424, PassiveShieldThermalDamageResonance: 1425, PassiveHullEmDamageResonance: 1426, PassiveHullExplosiveDamageResonance: 1427, PassiveHullKineticDamageResonance: 1428, PassiveHullThermalDamageResonance: 1429, LightColor: 1430, SubsystemBonusAmarrEngineering: 1431, SubsystemBonusAmarrElectronic: 1432, SubsystemBonusAmarrDefensive: 1433, SubsystemBonusAmarrOffensive: 1434, SubsystemBonusAmarrPropulsion: 1435, SubsystemBonusGallenteEngineering: 1436, SubsystemBonusGallenteElectronic: 1437, SubsystemBonusGallenteDefensive: 1438, SubsystemBonusGallenteOffensive: 1439, SubsystemBonusGallentePropulsion: 1440, SubsystemBonusCaldariEngineering: 1441, SubsystemBonusCaldariElectronic: 1442, SubsystemBonusCaldariDefensive: 1443, SubsystemBonusCaldariOffensive: 1444, SubsystemBonusCaldariPropulsion: 1445, SubsystemBonusMinmatarEngineering: 1446, SubsystemBonusMinmatarElectronic: 1447, SubsystemBonusMinmatarDefensive: 1448, SubsystemBonusMinmatarOffensive: 1449, SubsystemBonusMinmatarPropulsion: 1450, NpcAssistancePriority: 1451, NpcRemoteArmorRepairChance: 1453, NpcRemoteArmorRepairDuration: 1454, NpcRemoteArmorRepairAmount: 1455, NpcRemoteArmorRepairThreshold: 1456, WormholeTargetDistribution: 1457, NpcRemoteShieldBoostDuration: 1458, NpcRemoteShieldBoostChance: 1459, NpcRemoteShieldBoostAmount: 1460, NpcRemoteShieldBoostThreshold: 1462, NpcAssistanceRange: 1464, ArmorEmDamageResistanceBonus: 1465, ArmorKineticDamageResistanceBonus: 1466, ArmorThermalDamageResistanceBonus: 1467, ArmorExplosiveDamageResistanceBonus: 1468, MissileVelocityMultiplier: 1469, MaxVelocityMultiplier: 1470, MassMultiplier: 1471, DroneRangeMultiplier: 1472, ScanGravimetricStrengthMultiplier: 1473, ScanLadarStrengthMultiplier: 1474, ScanMagnetometricStrengthMultiplier: 1475, ScanRadarStrengthMultiplier: 1476, SignatureRadiusBonusMultiplier: 1477, MaxTargetRangeBonusMultiplier: 1478, ScanResolutionBonusMultiplier: 1479, TrackingSpeedBonusMultiplier: 1480, MaxRangeBonusMultiplier: 1481, DamageMultiplierMultiplier: 1482, AoeVelocityMultiplier: 1483, MaxDroneVelocityMultiplier: 1484, HeatDamageMultiplier: 1485, OverloadBonusMultiplier: 1486, EmpFieldRangeMultiplier: 1487, SmartbombDamageMultiplier: 1488, ShieldEmDamageResistanceBonus: 1489, ShieldExplosiveDamageResistanceBonus: 1490, ShieldKineticDamageResistanceBonus: 1491, ShieldThermalDamageResistanceBonus: 1492, SmallWeaponDamageMultiplier: 1493, MediumWeaponDamageMultiplier: 1494, ArmorDamageAmountMultiplier: 1495, ShieldBonusMultiplier: 1496, ShieldBonusMultiplierRemote: 1497, ArmorDamageAmountMultiplierRemote: 1498, CapacitorCapacityMultiplierSystem: 1499, RechargeRateMultiplier: 1500, NpcRemoteArmorRepairMaxTargets: 1501, NpcRemoteShieldBoostMaxTargets: 1502, ShipBonusStrategicCruiserAmarr: 1503, ShipBonusStrategicCruiserCaldari: 1504, ShipBonusStrategicCruiserGallente: 1505, ShipBonusStrategicCruiserMinmatar: 1506, SubsystemBonusAmarrDefensive2: 1507, SubsystemBonusAmarrElectronic2: 1508, SubsystemBonusAmarrEngineering2: 1509, SubsystemBonusCaldariOffensive2: 1510, SubsystemBonusAmarrOffensive2: 1511, SubsystemBonusAmarrPropulsion2: 1512, SubsystemBonusCaldariPropulsion2: 1513, SubsystemBonusCaldariElectronic2: 1514, SubsystemBonusCaldariEngineering2: 1515, SubsystemBonusCaldariDefensive2: 1516, SubsystemBonusGallenteDefensive2: 1517, SubsystemBonusGallenteElectronic2: 1518, SubsystemBonusGallenteEngineering2: 1519, SubsystemBonusGallentePropulsion2: 1520, SubsystemBonusGallenteOffensive2: 1521, SubsystemBonusMinmatarOffensive2: 1522, SubsystemBonusMinmatarPropulsion2: 1523, SubsystemBonusMinmatarElectronic2: 1524, SubsystemBonusMinmatarEngineering2: 1525, SubsystemBonusMinmatarDefensive2: 1526, ArmorMaxDamageResonance: 1527, ShieldMaxDamageResonance: 1528, HullMaxDamageResonance: 1529, HullMaxDamageResonanceOld: 1530, SubsystemBonusAmarrOffensive3: 1531, SubsystemBonusGallenteOffensive3: 1532, SubsystemBonusCaldariOffensive3: 1533, SubsystemBonusMinmatarOffensive3: 1534, ShipBonusCR3: 1535, EcmRangeBonus: 1536, EliteBonusReconShip3: 1537, WarpBubbleImmune: 1538, WarpBubbleImmuneModifier: 1539, StealthBomberLauncherPower2: 1540, JumpHarmonicsModifier: 1541, MaxGroupFitted: 1544, DreadnoughtShipBonusM3: 1545, RigSize: 1547, SpecialFuelBayCapacity: 1549, ImplantSetImperialNavy: 1550, NumDays: 1551, ImplantSetCaldariNavy: 1552, ImplantSetFederationNavy: 1553, ImplantSetRepublicFleet: 1554, FwLpKill: 1555, SpecialOreHoldCapacity: 1556, SpecialGasHoldCapacity: 1557, SpecialMineralHoldCapacity: 1558, SpecialSalvageHoldCapacity: 1559, SpecialShipHoldCapacity: 1560, SpecialSmallShipHoldCapacity: 1561, SpecialMediumShipHoldCapacity: 1562, SpecialLargeShipHoldCapacity: 1563, SpecialIndustrialShipHoldCapacity: 1564, ScanRadarStrengthModifier: 1565, ScanLadarStrengthModifier: 1566, ScanGravimetricStrengthModifier: 1567, ScanMagnetometricStrengthModifier: 1568, ImplantSetLGImperialNavy: 1569, ImplantSetLGFederationNavy: 1570, ImplantSetLGCaldariNavy: 1571, ImplantSetLGRepublicFleet: 1572, SpecialAmmoHoldCapacity: 1573, ShipBonusATC1: 1574, ShipBonusATC2: 1575, ShipBonusATF1: 1576, ShipBonusATF2: 1577, EliteBonusCoverOps3: 1578, EffectDeactivationDelay: 1579, MaxDefenseBunkers: 1580, EliteBonusAssaultShips1: 1581, SpecialTutorialLootRespawnTime: 1582, DevIndexMilitary: 1583, DevIndexIndustrial: 1584, DevIndexEconomic: 1585, DevIndexResearchDevelopment: 1586, SiegeModeGallenteDreadnoughtBonus2: 1589, AnchorDistanceMin: 1590, AnchorDistanceMax: 1591, TitanAmarrBonus5: 1592, TitanGallenteBonus5: 1593, TitanMinmatarBonus5: 1594, AnchoringRequiresSovUpgrade1: 1595, TitanCaldariBonus5: 1596, SovUpgradeSovereigntyHeldFor: 1597, SovUpgradeBlockingUpgradeID: 1598, SovUpgradeRequiredUpgradeID: 1599, SovUpgradeRequiredOutpostUpgradeLevel: 1600, OnliningRequiresSovUpgrade1: 1601, SovBillSystemCost: 1603, DreadnoughtShipBonusC3: 1605, DistributionIDblood: 1606, DistributionIDangel: 1607, DistributionIDguristas: 1608, DistributionIDserpentis: 1609, DistributionIDdrones: 1610, DistributionIDsanshas: 1611, ReinforcementDuration: 1612, ReinforcementVariance: 1613, DistributionIDmordus: 1614, DevIndexSovereignty: 1615, DistributionID: 1616, WebSpeedFactorBonus: 1619, ShipBonus3AF: 1623, ShipBonus3CF: 1624, ShipBonus3GF: 1625, ShipBonus3MF: 1626, LogisticalCapacity: 1631, PlanetRestriction: 1632, PowerLoadPerKm: 1633, CpuLoadPerKm: 1634, CpuLoadLevelModifier: 1635, PowerLoadLevelModifier: 1636, ImportTax: 1638, ExportTax: 1639, ImportTaxMultiplier: 1640, ExportTaxMultiplier: 1641, PinExtractionQuantity: 1642, PinCycleTime: 1643, ExtractorDepletionRange: 1644, ExtractorDepletionRate: 1645, SpecialCommandCenterHoldCapacity: 1646, BoosterMaxCharAgeHours: 1647, AIShouldUseTargetSwitching: 1648, AIShouldUseSecondaryTarget: 1649, AIShouldUseSignatureRadius: 1650, AIChanceToNotTargetSwitch: 1651, AIShouldUseEffectMultiplier: 1652, SpecialPlanetaryCommoditiesHoldCapacity: 1653, AIImmuneToSuperWeapon: 1654, AIPreferredSignatureRadius: 1655, AITankingModifierDrone: 1656, AITankingModifier: 1657, EntityRemoteECMDuration: 1658, EntityRemoteECMMinDuration: 1659, EntityRemoteECMDurationScale: 1660, EntityRemoteECMBaseDuration: 1661, EntityRemoteECMExtraPlayerScale: 1662, EntityRemoteECMIntendedNumPlayers: 1663, EntityRemoteECMChanceOfActivation: 1664, ShipBonusOreIndustrial1: 1669, ShipBonusOreIndustrial2: 1670, EntityGroupShieldResistanceBonus: 1671, EntityGroupShieldResistanceDuration: 1672, EntityGroupShieldResistanceActivationChance: 1673, EntityGroupSpeedBonus: 1674, EntityGroupPropJamBonus: 1675, EntityGroupArmorResistanceBonus: 1676, EntityGroupSpeedDuration: 1677, EntityGroupSpeedActivationChance: 1678, EntityGroupPropJamDuration: 1679, EntityGroupPropJamActivationChance: 1680, EntityGroupArmorResistanceDuration: 1681, EntityGroupArmorResistanceActivationChance: 1682, EcuDecayFactor: 1683, EcuMaxVolume: 1684, EcuOverlapFactor: 1685, SystemEffectDamageReduction: 1686, EcuNoiseFactor: 1687, ShipBonusPirateFaction2: 1688, EcuAreaOfInfluence: 1689, EcuExtractorHeadCPU: 1690, EcuExtractorHeadPower: 1691, MetaGroupID: 1692, DistributionIDAngel01: 1695, DistributionIDAngel02: 1696, DistributionIDAngel03: 1697, DistributionIDAngel04: 1698, DistributionIDAngel05: 1699, DistributionIDAngel06: 1700, DistributionIDAngel07: 1701, DistributionIDAngel08: 1702, DistributionIDAngel09: 1703, DistributionIDAngel10: 1704, DistributionIDBlood01: 1705, DistributionIDBlood02: 1706, DistributionIDBlood03: 1707, DistributionIDBlood04: 1708, DistributionIDBlood05: 1709, DistributionIDBlood06: 1710, DistributionIDBlood07: 1711, DistributionIDBlood08: 1712, DistributionIDBlood09: 1713, DistributionIDBlood10: 1714, DistributionIDGurista01: 1715, DistributionIDGurista02: 1716, DistributionIDGurista03: 1717, DistributionIDGurista04: 1718, DistributionIDGurista05: 1719, DistributionIDGurista06: 1720, DistributionIDGurista07: 1721, DistributionIDGurista08: 1722, DistributionIDGurista09: 1723, DistributionIDGurista10: 1724, DistributionIDRogueDrone01: 1725, DistributionIDRogueDrone02: 1726, DistributionIDRogueDrone03: 1727, DistributionIDRogueDrone04: 1728, DistributionIDRogueDrone05: 1729, DistributionIDRogueDrone06: 1730, DistributionIDRogueDrone07: 1731, DistributionIDRogueDrone08: 1732, DistributionIDRogueDrone09: 1733, DistributionIDRogueDrone10: 1734, DistributionIDSansha01: 1735, DistributionIDSansha02: 1736, DistributionIDSansha03: 1737, DistributionIDSansha04: 1738, DistributionIDSansha05: 1739, DistributionIDSansha06: 1740, DistributionIDSansha07: 1741, DistributionIDSansha08: 1742, DistributionIDSansha09: 1743, DistributionIDSansha10: 1744, DistributionIDSerpentis01: 1745, DistributionIDSerpentis02: 1746, DistributionIDSerpentis03: 1747, DistributionIDSerpentis04: 1748, DistributionIDSerpentis05: 1749, DistributionIDSerpentis06: 1750, DistributionIDSerpentis07: 1751, DistributionIDSerpentis08: 1752, DistributionIDSerpentis09: 1753, DistributionIDSerpentis10: 1754, DistributionID01: 1755, DistributionID02: 1756, DistributionID03: 1757, DistributionID04: 1758, DistributionID05: 1759, DistributionID06: 1760, DistributionID07: 1761, DistributionID08: 1762, DistributionID09: 1763, DistributionID10: 1764, EntityOverviewShipGroupId: 1766, TypeColorScheme: 1768, SpecialMaterialBayCapacity: 1770, ConstructionType: 1771, AccessDifficultyBonusAbsolutePercent: 1772, Gender: 1773, ConsumptionQuantityBonusPercent: 1775, ManufactureCostBonusShowInfo: 1778, NpcCustomsOfficeTaxRate: 1780, DefaultCustomsOfficeTaxRate: 1781, AllowedDroneGroup1: 1782, AllowedDroneGroup2: 1783, IsCapitalSize: 1785, BcLargeTurretPower: 1786, BcLargeTurretCPU: 1787, BcLargeTurretCap: 1788, BcSiegeMissileCPU: 1790, BcSiegeMissilePower: 1791, ShipBonusBC3: 1792, ShipBonusBC4: 1793, SkillBonusBooster: 1794, ReloadTime: 1795, ClothingAlsoCoversCategory: 1797, DisallowAgainstEwImmuneTarget: 1798, ImplantSetChristmas: 1799, TriageRemoteModuleCapNeed: 1802, MWDSignatureRadiusBonus: 1803, SpecialQuafeHoldCapacity: 1804, RequiresSovereigntyDisplayOnly: 1806, NosReflector: 1808, NeutReflector: 1809, CapAttackReflector: 1811, TurretDamageScalingRadius: 1812, TitanBonusScalingRadius: 1813, NosReflectAmount: 1814, NeutReflectAmount: 1815, NeutReflectAmountBonus: 1816, NosReflectAmountBonus: 1817, AurumConversionRate: 1818, BaseDefenderAllyCost: 1820, SkillAllyCostModifierBonus: 1821, RookieSETCapBonus: 1822, RookieSETDamageBonus: 1823, RookieWeaponDisruptionBonus: 1824, RookieArmorResistanceBonus: 1825, RookieSHTOptimalBonus: 1826, RookieMissileKinDamageBonus: 1827, RookieECMStrengthBonus: 1828, RookieShieldResistBonus: 1829, RookieSHTDamageBonus: 1830, RookieDroneBonus: 1831, RookieDampStrengthBonus: 1832, RookieArmorRepBonus: 1833, RookieTargetPainterStrengthBonus: 1834, RookieShipVelocityBonus: 1835, RookieSPTDamageBonus: 1836, RookieShieldBoostBonus: 1837, MiniProfessionRangeBonus: 1838, DamageDelayDuration: 1839, EnergyTransferAmountBonus: 1840, ShipBonusOREfrig1: 1842, ShipBonusOREfrig2: 1843, OrbitalStrikeAccuracy: 1844, OrbitalStrikeDamage: 1845, CargoGroup2: 1846, 902: 1847, ResistanceShiftAmount: 1849, SensorStrengthBonus: 1851, CanBeJettisoned: 1852, DoesNotEmergencyWarp: 1854, AIIgnoreDronesBelowSignatureRadius: 1855, MassPenaltyReduction: 1856, RookieSETTracking: 1857, RookieSETOptimal: 1858, RookieNosDrain: 1859, RookieNeutDrain: 1860, RookieWebAmount: 1861, RookieLightMissileVelocity: 1862, RookieRocketVelocity: 1863, RookieDroneMWDspeed: 1864, RookieSHTTracking: 1865, RookieSHTFalloff: 1866, RookieSPTTracking: 1867, RookieSPTFalloff: 1868, RookieSPTOptimal: 1869, CovertCloakCPUAdd: 1870, CovertCloakCPUPenalty: 1871, CanFitShipGroup5: 1872, CanFitShipGroup6: 1879, CanFitShipGroup7: 1880, CanFitShipGroup8: 1881, WarfareLinkCPUAdd: 1882, WarfareLinkCPUPenalty: 1883, ChargedArmorDamageMultiplier: 1886, ShipBonusAD1: 1887, ShipBonusAD2: 1888, ShipBonusABC2: 1889, Nondestructible: 1890, AllowedInCapIndustrialMaintenanceBay: 1891, EntityArmorRepairAmountPerSecond: 1892, EntityShieldBoostAmountPerSecond: 1893, EntityCapacitorLevel: 1894, EntityCapacitorLevelModifierSmall: 1895, EntityCapacitorLevelModifierMedium: 1896, EntityCapacitorLevelModifierLarge: 1897, SecurityProcessingFee: 1904, MaxScanDeviationModifierModule: 1905, ScanDurationBonus: 1906, ScanStrengthBonusModule: 1907, ScanWormholeStrength: 1908, VirusCoherence: 1909, VirusStrength: 1910, VirusElementSlots: 1911, SpewContainerCount: 1912, DefaultJunkLootTypeID: 1913, SpewVelocity: 1914, VirusCoherenceBonus: 1915, FollowsJumpClones: 1916, SpewContainerLifeExtension: 1917, VirusStrengthBonus: 1918, TierDifficulty: 1919, DisallowActivateInForcefield: 1920, CloneJumpCoolDown: 1921, WarfareLinkBonus: 1922, RoleBonusMarauder: 1923, EliteBonusCommandShips3: 1924, PiTaxReductionModifer: 1925, PiTaxReduction: 1926, Hackable: 1927, SiphonRawMaterial: 1928, SiphonProMaterial: 1929, SiphonWasteAmount: 1930, ImplantSetWarpSpeed: 1932, SiphonPolyMaterial: 1933, DeactivateIfOffensive: 1934, OverloadTrackingModuleStrengthBonus: 1935, OverloadSensorModuleStrengthBonus: 1936, OverloadPainterStrengthBonus: 1937, MiningAmountBonusBonus: 1938, StationOreRefiningBonus: 1939, CompressionTypeID: 1940, CompressionQuantityNeeded: 1941, EliteBonusExpedition1: 1942, EliteBonusExpedition2: 1943, CanFitShipType5: 1944, NosOverride: 1945, AnchoringSecurityLevelMin: 1946, RoleBonusOverheatDST: 1949, WarpSpeedAdd: 1950, IndustryStructureCostBonusSet: 1951, IndustryStructureCostBonus: 1952, IndustryJobCostMultiplier: 1954, IndustryBlueprintRank: 1955, ClothingRemovesCategory: 1956, ClothingRuleException: 1957, DscanImmune: 1958, InventionReverseEngineeringResearchSpeed: 1959, AdvancedIndustrySkillIndustryJobTimeBonus: 1961, EnergyWarfareStrengthMultiplier: 1966, AoeCloudSizeMultiplier: 1967, TargetPainterStrengthMultiplier: 1968, StasisWebStrengthMultiplier: 1969, DisallowInHighSec: 1970, JumpFatigueMultiplier: 1971, JumpThroughFatigueMultiplier: 1972, GateScrambleStatus: 1973, GateScrambleStrength: 1974, Published: 1975, ResistanceKiller: 1978, ResistanceKillerHull: 1979, AsteroidRadiusGrowthFactor: 1980, AsteroidRadiusUnitSize: 1981, ManufactureTimePerLevel: 1982, FreighterBonusO1: 1983, FreighterBonusO2: 1984, StanceSwitchTime: 1985, ShipBonusTacticalDestroyerAmarr1: 1986, ShipBonusTacticalDestroyerAmarr2: 1987, ShipBonusTacticalDestroyerAmarr3: 1988, RoleBonusTacticalDestroyer1: 1989, ModeMaxRangePostDiv: 1990, ModeMaxTargetRangePostDiv: 1991, ModeRadarStrengthPostDiv: 1992, ModeScanResPostDiv: 1993, ModeLadarStrengthPostDiv: 1994, ModeGravimetricStrengthPostDiv: 1995, ModeMagnetometricStrengthPostDiv: 1996, ModeEmResistancePostDiv: 1997, ModeExplosiveResistancePostDiv: 1998, ModeThermicResistancePostDiv: 1999, ModeKineticResistancePostDiv: 2000, ModeSignatureRadiusPostDiv: 2001, ModeAgilityPostDiv: 2002, ModeVelocityPostDiv: 2003, ShipBonusTacticalDestroyerMinmatar1: 2004, ShipBonusTacticalDestroyerMinmatar2: 2005, ShipBonusTacticalDestroyerMinmatar3: 2006, ModeMWDSigPenaltyPostDiv: 2007, ModeTrackingPostDiv: 2008, EntitySuperWeaponDuration: 2009, EntitySuperWeaponEmDamage: 2010, EntitySuperWeaponKineticDamage: 2011, EntitySuperWeaponThermalDamage: 2012, EntitySuperWeaponExplosiveDamage: 2013, ShipBonusGC3: 2014, ShipBonusTacticalDestroyerCaldari1: 2015, ShipBonusTacticalDestroyerCaldari2: 2016, ShipBonusTacticalDestroyerCaldari3: 2017, 2015: 2018, AllowRefills: 2019, EntosisDurationMultiplier: 2021 } module.exports.TYPE = { 'CarbonizedLeadS' : 178, 'NuclearS' : 179, 'ProtonS' : 180, 'DepletedUraniumS' : 181, 'TitaniumSabotS' : 182, 'FusionS' : 183, 'PhasedPlasmaS' : 184, 'EMPS' : 185, 'CarbonizedLeadM' : 186, 'NuclearM' : 187, 'ProtonM' : 188, 'DepletedUraniumM' : 189, 'TitaniumSabotM' : 190, 'FusionM' : 191, 'PhasedPlasmaM' : 192, 'EMPM' : 193, 'CarbonizedLeadL' : 194, 'NuclearL' : 195, 'ProtonL' : 196, 'DepletedUraniumL' : 197, 'TitaniumSabotL' : 198, 'FusionL' : 199, 'PhasedPlasmaL' : 200, 'EMPL' : 201, 'MjolnirCruiseMissile' : 202, 'ScourgeCruiseMissile' : 203, 'InfernoCruiseMissile' : 204, 'NovaCruiseMissile' : 205, 'NovaHeavyMissile' : 206, 'MjolnirHeavyMissile' : 207, 'InfernoHeavyMissile' : 208, 'ScourgeHeavyMissile' : 209, 'ScourgeLightMissile' : 210, 'InfernoLightMissile' : 211, 'MjolnirLightMissile' : 212, 'NovaLightMissile' : 213, 'IronChargeS' : 215, 'TungstenChargeS' : 216, 'IridiumChargeS' : 217, 'LeadChargeS' : 218, 'ThoriumChargeS' : 219, 'UraniumChargeS' : 220, 'PlutoniumChargeS' : 221, 'AntimatterChargeS' : 222, 'IronChargeM' : 223, 'TungstenChargeM' : 224, 'IridiumChargeM' : 225, 'LeadChargeM' : 226, 'ThoriumChargeM' : 227, 'UraniumChargeM' : 228, 'PlutoniumChargeM' : 229, 'AntimatterChargeM' : 230, 'IronChargeL' : 231, 'TungstenChargeL' : 232, 'IridiumChargeL' : 233, 'LeadChargeL' : 234, 'ThoriumChargeL' : 235, 'UraniumChargeL' : 236, 'PlutoniumChargeL' : 237, 'AntimatterChargeL' : 238, 'RadioS' : 239, 'MicrowaveS' : 240, 'InfraredS' : 241, 'StandardS' : 242, 'UltravioletS' : 243, 'XrayS' : 244, 'GammaS' : 245, 'MultifrequencyS' : 246, 'RadioM' : 247, 'MicrowaveM' : 248, 'InfraredM' : 249, 'StandardM' : 250, 'UltravioletM' : 251, 'XrayM' : 252, 'GammaM' : 253, 'MultifrequencyM' : 254, 'RadioL' : 255, 'MicrowaveL' : 256, 'InfraredL' : 257, 'StandardL' : 258, 'UltravioletL' : 259, 'XrayL' : 260, 'GammaL' : 261, 'MultifrequencyL' : 262, 'CapBooster25' : 263, 'CapBooster50' : 264, 'HeavyDefenderMissileI' : 265, 'ScourgeRocket' : 266, 'ScourgeTorpedo' : 267, 'MjolnirAutoTargetingLightMissileI' : 269, 'PythonMine' : 270, 'SmallShieldExtenderI' : 377, 'SmallShieldExtenderII' : 380, 'ShieldRechargerI' : 393, 'ShieldRechargerII' : 394, 'SmallShieldBoosterI' : 399, 'SmallShieldBoosterII' : 400, 'MicroRemoteShieldBoosterI' : 405, 'MicroRemoteShieldBoosterII' : 406, 'BasicCapacitorRecharger' : 421, '5MNMicrowarpdriveI' : 434, '1MNAfterburnerII' : 438, '1MNAfterburnerI' : 439, '5MNMicrowarpdriveII' : 440, 'CargoScannerI' : 442, 'ShipScannerI' : 443, 'SurveyScannerI' : 444, 'WarpScramblerI' : 447, 'WarpScramblerII' : 448, 'GatlingPulseLaserI' : 450, 'DualLightPulseLaserI' : 451, 'DualLightBeamLaserI' : 452, 'SmallFocusedPulseLaserI' : 453, 'SmallFocusedBeamLaserI' : 454, 'QuadLightBeamLaserI' : 455, 'FocusedMediumPulseLaserI' : 456, 'FocusedMediumBeamLaserI' : 457, 'HeavyPulseLaserI' : 458, 'HeavyBeamLaserI' : 459, 'DualHeavyPulseLaserI' : 460, 'DualHeavyBeamLaserI' : 461, 'MegaPulseLaserI' : 462, 'MegaBeamLaserI' : 463, 'TachyonBeamLaserI' : 464, 'MinerII' : 482, 'MinerI' : 483, '125mmGatlingAutoCannonI' : 484, '150mmLightAutoCannonI' : 485, '200mmAutoCannonI' : 486, '250mmLightArtilleryCannonI' : 487, '280mmHowitzerArtilleryI' : 488, 'Dual180mmAutoCannonI' : 489, '220mmVulcanAutoCannonI' : 490, '425mmAutoCannonI' : 491, '650mmArtilleryCannonI' : 492, '720mmHowitzerArtilleryI' : 493, 'Dual425mmAutoCannonI' : 494, 'Dual650mmRepeatingCannonI' : 495, '800mmRepeatingCannonI' : 496, '1200mmArtilleryCannonI' : 497, '1400mmHowitzerArtilleryI' : 498, 'LightMissileLauncherI' : 499, 'HeavyMissileLauncherI' : 501, 'TorpedoLauncherI' : 503, 'BasicCapacitorPowerRelay' : 506, 'BasicShieldFluxCoil' : 508, 'BasicCapacitorFluxCoil' : 509, 'BasicGyrostabilizer' : 518, 'GyrostabilizerII' : 519, 'GyrostabilizerI' : 520, 'BasicDamageControl' : 521, 'MicroCapacitorBatteryI' : 522, 'SmallArmorRepairerI' : 523, 'SmallHullRepairerI' : 524, 'StasisWebifierI' : 526, 'StasisWebifierII' : 527, 'SmallRemoteCapacitorTransmitterI' : 529, 'SmallNosferatuI' : 530, 'SmallEnergyNeutralizerI' : 533, '75mmGatlingRailI' : 561, 'LightElectronBlasterI' : 562, 'LightIonBlasterI' : 563, 'LightNeutronBlasterI' : 564, '150mmRailgunI' : 565, 'HeavyElectronBlasterI' : 566, 'Dual150mmRailgunI' : 567, 'HeavyNeutronBlasterI' : 568, 'HeavyIonBlasterI' : 569, '250mmRailgunI' : 570, 'ElectronBlasterCannonI' : 571, 'Dual250mmRailgunI' : 572, 'NeutronBlasterCannonI' : 573, '425mmRailgunI' : 574, 'IonBlasterCannonI' : 575, 'MediumCapacitorBoosterI' : 577, 'AdaptiveInvulnerabilityFieldI' : 578, 'ECMBurstI' : 580, 'PassiveTargeterI' : 581, 'Bantam' : 582, 'Condor' : 583, 'Griffin' : 584, 'Slasher' : 585, 'Probe' : 586, 'Rifter' : 587, 'Reaper' : 588, 'Executioner' : 589, 'Inquisitor' : 590, 'Tormentor' : 591, 'Navitas' : 592, 'Tristan' : 593, 'Incursus' : 594, 'GallentePoliceShip' : 595, 'Impairor' : 596, 'Punisher' : 597, 'Breacher' : 598, 'Burst' : 599, 'MinmatarPeacekeeperShip' : 600, 'Ibis' : 601, 'Kestrel' : 602, 'Merlin' : 603, 'Heron' : 605, 'Velator' : 606, 'Imicus' : 607, 'Atron' : 608, 'Maulus' : 609, 'Devourer' : 613, 'Fury' : 614, 'Immolator' : 615, 'Medusa' : 616, 'Echo' : 617, 'Lynx' : 618, 'Swordspine' : 619, 'Osprey' : 620, 'Caracal' : 621, 'Stabber' : 622, 'Moa' : 623, 'Maller' : 624, 'Augoror' : 625, 'Vexor' : 626, 'Thorax' : 627, 'Arbitrator' : 628, 'Rupture' : 629, 'Bellicose' : 630, 'Scythe' : 631, 'Blackbird' : 632, 'Celestis' : 633, 'Exequror' : 634, 'OpuxLuxuryYacht' : 635, 'Raven' : 638, 'Tempest' : 639, 'Scorpion' : 640, 'Megathron' : 641, 'Apocalypse' : 642, 'Armageddon' : 643, 'Typhoon' : 644, 'Dominix' : 645, 'Badger' : 648, 'Tayra' : 649, 'Nereus' : 650, 'Hoarder' : 651, 'Mammoth' : 652, 'Wreathe' : 653, 'Kryos' : 654, 'Epithal' : 655, 'Miasmos' : 656, 'IteronMarkV' : 657, 'Capsule' : 670, 'Erebus' : 671, 'CaldariShuttle' : 672, 'AutoTargetingSystemI' : 1182, 'SmallArmorRepairerII' : 1183, 'SmallCapacitorBatteryI' : 1185, 'SmallRemoteCapacitorTransmitterII' : 1190, 'BasicOverdriveInjectorSystem' : 1192, 'BasicEMPlating' : 1193, 'CapRechargerI' : 1195, 'EMPlatingI' : 1197, 'EMPlatingII' : 1198, 'WaspI' : 1201, 'CivilianMiningDrone' : 1202, 'PolarisEnigmaFrigate' : 1233, 'OverdriveInjectorSystemII' : 1236, 'BasicReinforcedBulkheads' : 1240, 'BasicNanofiberInternalStructure' : 1242, 'OverdriveInjectorSystemI' : 1244, 'CapacitorFluxCoilI' : 1246, 'CapacitorFluxCoilII' : 1248, 'ShieldFluxCoilI' : 1254, 'ShieldFluxCoilII' : 1256, 'BasicExplosivePlating' : 1262, 'ExplosivePlatingI' : 1264, 'ExplosivePlatingII' : 1266, 'BasicLayeredPlating' : 1272, 'LayeredPlatingI' : 1274, 'LayeredPlatingII' : 1276, 'BasicKineticPlating' : 1282, 'KineticPlatingI' : 1284, 'KineticPlatingII' : 1286, 'BasicThermicPlating' : 1292, 'ThermicPlatingI' : 1294, 'ThermicPlatingII' : 1296, 'BasicAdaptiveNanoPlating' : 1302, 'AdaptiveNanoPlatingI' : 1304, 'AdaptiveNanoPlatingII' : 1306, 'BasicExpandedCargohold' : 1315, 'ExpandedCargoholdI' : 1317, 'ExpandedCargoholdII' : 1319, 'ReinforcedBulkheadsI' : 1333, 'ReinforcedBulkheadsII' : 1335, 'BasicReactorControlUnit' : 1351, 'ReactorControlUnitI' : 1353, 'ReactorControlUnitII' : 1355, 'BasicInertialStabilizers' : 1401, 'InertialStabilizersI' : 1403, 'InertialStabilizersII' : 1405, 'BasicShieldPowerRelay' : 1419, 'ShieldPowerRelayII' : 1422, 'AutoTargetingSystemII' : 1436, 'CapacitorPowerRelayI' : 1445, 'CapacitorPowerRelayII' : 1447, 'BasicPowerDiagnosticSystem' : 1537, 'PowerDiagnosticSystemI' : 1539, 'PowerDiagnosticSystemII' : 1541, 'SmallProtonSmartbombI' : 1547, 'SmallProtonSmartbombII' : 1549, 'SmallGravitonSmartbombI' : 1551, 'SmallGravitonSmartbombII' : 1553, 'SmallPlasmaSmartbombI' : 1557, 'SmallPlasmaSmartbombII' : 1559, 'SmallEMPSmartbombI' : 1563, 'SmallEMPSmartbombII' : 1565, 'BasicEMWardAmplifier' : 1798, 'BasicThermicDissipationAmplifier' : 1800, 'BasicKineticDeflectionAmplifier' : 1802, 'BasicExplosiveDeflectionAmplifier' : 1804, 'EMWardAmplifierI' : 1808, 'ScourgeAutoTargetingLightMissileI' : 1810, 'NovaAutoTargetingLightMissileI' : 1814, 'InfernoAutoTargetingLightMissileI' : 1816, 'ScourgeAutoTargetingHeavyMissileI' : 1818, 'MjolnirAutoTargetingHeavyMissileI' : 1820, 'NovaAutoTargetingHeavyMissileI' : 1822, 'InfernoAutoTargetingHeavyMissileI' : 1824, 'ScourgeAutoTargetingCruiseMissileI' : 1826, 'MjolnirAutoTargetingCruiseMissileI' : 1828, 'NovaAutoTargetingCruiseMissileI' : 1830, 'InfernoAutoTargetingCruiseMissileI' : 1832, 'ShipScannerII' : 1855, 'RapidLightMissileLauncherI' : 1875, 'RapidLightMissileLauncherII' : 1877, 'BasicHeatSink' : 1893, 'ConcordPoliceFrigate' : 1896, 'ConcordSWATFrigate' : 1898, 'ConcordArmyFrigate' : 1900, 'ConcordSpecialOpsFrigate' : 1902, 'ConcordPoliceCruiser' : 1904, 'ConcordPoliceBattleship' : 1912, 'ConcordSpecialOpsBattleship' : 1914, 'ConcordSWATBattleship' : 1916, 'ConcordArmyBattleship' : 1918, 'Bestower' : 1944, 'BasicRADARBackupArray' : 1946, 'ECCMRadarI' : 1947, 'ECMIonFieldProjectorI' : 1948, 'BasicSignalAmplifier' : 1949, 'BasicTrackingEnhancer' : 1951, 'SensorBoosterII' : 1952, 'ECMSpatialDestabilizerI' : 1955, 'ECMWhiteNoiseGeneratorI' : 1956, 'ECMMultispectralJammerI' : 1957, 'ECMPhaseInverterI' : 1958, 'ECCMProjectorI' : 1959, 'ECCMProjectorII' : 1960, 'RemoteSensorBoosterI' : 1963, 'RemoteSensorBoosterII' : 1964, 'RemoteSensorDampenerI' : 1968, 'RemoteSensorDampenerII' : 1969, 'SensorBoosterI' : 1973, 'TrackingComputerI' : 1977, 'TrackingComputerII' : 1978, 'BasicLadarBackupArray' : 1982, 'BasicGravimetricBackupArray' : 1983, 'BasicMagnetometricBackupArray' : 1984, 'BasicMultiSensorBackupArray' : 1985, 'SignalAmplifierI' : 1986, 'SignalAmplifierII' : 1987, 'TrackingEnhancerI' : 1998, 'TrackingEnhancerII' : 1999, 'ECCMLadarI' : 2002, 'ECCMMagnetometricI' : 2003, 'ECCMGravimetricI' : 2004, 'ECCMOmniI' : 2005, 'Omen' : 2006, 'MediumCapacitorBatteryI' : 2018, 'LargeCapacitorBatteryI' : 2020, 'XLargeCapacitorBatteryI' : 2022, 'MediumCapacitorBoosterII' : 2024, 'CapRechargerII' : 2032, 'CargoScannerII' : 2038, 'DamageControlI' : 2046, 'DamageControlII' : 2048, 'GistumCTypeAdaptiveInvulnerabilityField' : 2050, 'Zephyr' : 2078, 'GenolutionCoreAugmentationCA1' : 2082, 'PrototypeIrisProbeLauncher' : 2083, 'RemoteTrackingComputerI' : 2103, 'RemoteTrackingComputerII' : 2104, 'TrackingDisruptorI' : 2108, 'TrackingDisruptorII' : 2109, 'ECMBurstII' : 2117, 'Crucifier' : 2161, 'HaunterCruiseMissile' : 2165, 'InfiltratorI' : 2173, 'InfiltratorII' : 2175, 'GuristasNovaCitadelCruiseMissile' : 2178, 'GuristasScourgeCitadelCruiseMissile' : 2180, 'GuristasInfernoCitadelCruiseMissile' : 2182, 'HammerheadI' : 2183, 'HammerheadII' : 2185, 'GuristasMjolnirCitadelCruiseMissile' : 2188, 'PraetorI' : 2193, 'PraetorII' : 2195, 'AcolyteI' : 2203, 'AcolyteII' : 2205, 'BansheeTorpedo' : 2210, 'GhostHeavyMissile' : 2212, 'ECCMOmniII' : 2258, 'ECCMGravimetricII' : 2259, 'ECCMLadarII' : 2260, 'ECCMMagnetometricII' : 2261, 'ECCMRadarII' : 2262, 'AdaptiveInvulnerabilityFieldII' : 2281, 'ExplosiveDeflectionFieldI' : 2289, 'KineticDeflectionFieldI' : 2291, 'EMWardFieldI' : 2293, 'ThermicDissipationFieldI' : 2295, 'ExplosiveDeflectionFieldII' : 2297, 'KineticDeflectionFieldII' : 2299, 'EMWardFieldII' : 2301, 'ThermicDissipationFieldII' : 2303, 'ShieldPowerRelayI' : 2331, 'SurveyScannerII' : 2333, 'PassiveTargeterII' : 2341, 'SmallHullRepairerII' : 2355, 'HeatSinkI' : 2363, 'HeatSinkII' : 2364, 'AdvancedPlanetology' : 2403, 'LightMissileLauncherII' : 2404, 'Planetology' : 2406, 'HeavyMissileLauncherII' : 2410, 'TorpedoLauncherII' : 2420, 'WaspII' : 2436, 'OgreI' : 2444, 'OgreII' : 2446, 'HobgoblinI' : 2454, 'HobgoblinII' : 2456, 'HornetI' : 2464, 'HornetII' : 2466, 'BerserkerI' : 2476, 'BerserkerII' : 2478, 'WarriorI' : 2486, 'WarriorII' : 2488, 'InterplanetaryConsolidation' : 2495, 'CommandCenterUpgrades' : 2505, 'MjolnirTorpedo' : 2506, 'NovaTorpedo' : 2508, 'InfernoTorpedo' : 2510, 'MjolnirRocket' : 2512, 'InfernoRocket' : 2514, 'NovaRocket' : 2516, 'SpaceAnchor' : 2528, 'ExplosiveDeflectionAmplifierI' : 2529, 'ExplosiveDeflectionAmplifierII' : 2531, 'ThermicDissipationAmplifierI' : 2537, 'ThermicDissipationAmplifierII' : 2539, 'KineticDeflectionAmplifierI' : 2545, 'KineticDeflectionAmplifierII' : 2547, 'EMWardAmplifierII' : 2553, 'ECMPhaseInverterII' : 2559, 'ECMIonFieldProjectorII' : 2563, 'ECMMultispectralJammerII' : 2567, 'ECMSpatialDestabilizerII' : 2571, 'ECMWhiteNoiseGeneratorII' : 2575, 'GravimetricBackupArrayI' : 2579, 'GravimetricBackupArrayII' : 2580, 'LadarBackupArrayI' : 2583, 'LadarBackupArrayII' : 2584, 'MagnetometricBackupArrayI' : 2587, 'MagnetometricBackupArrayII' : 2588, 'GenolutionCoreAugmentationCA2' : 2589, 'MultiSensorBackupArrayI' : 2591, 'MultiSensorBackupArrayII' : 2592, 'NanofiberInternalStructureI' : 2603, 'NanofiberInternalStructureII' : 2605, 'MjolnirFuryLightMissile' : 2613, 'InfernoFuryCruiseMissile' : 2621, 'ScourgeFuryHeavyMissile' : 2629, 'InfernoPrecisionCruiseMissile' : 2637, 'InfernoPrecisionLightMissile' : 2647, 'NovaPrecisionHeavyMissile' : 2655, 'ScourgeRageHeavyAssaultMissile' : 2679, 'NovaJavelinTorpedo' : 2801, 'InfernoRageTorpedo' : 2811, 'MjolnirRageRocket' : 2817, 'Utu' : 2834, 'Adrestia' : 2836, 'StandardCerebralAccelerator' : 2838, 'Primae' : 2863, '1200mmArtilleryCannonII' : 2865, '125mmGatlingAutoCannonII' : 2873, '150mmLightAutoCannonII' : 2881, '200mmAutoCannonII' : 2889, '220mmVulcanAutoCannonII' : 2897, '250mmLightArtilleryCannonII' : 2905, '425mmAutoCannonII' : 2913, '650mmArtilleryCannonII' : 2921, '800mmRepeatingCannonII' : 2929, 'Dual180mmAutoCannonII' : 2937, 'Dual425mmAutoCannonII' : 2945, 'CompactShadeTorpedo' : 2947, 'Shadow' : 2948, 'Dual650mmRepeatingCannonII' : 2953, '1400mmHowitzerArtilleryII' : 2961, '720mmHowitzerArtilleryII' : 2969, '280mmHowitzerArtilleryII' : 2977, 'DualHeavyBeamLaserII' : 2985, 'DualLightBeamLaserII' : 2993, 'Noctis' : 2998, 'DualLightPulseLaserII' : 3001, 'FocusedMediumBeamLaserII' : 3009, 'GatlingPulseLaserII' : 3017, 'HeavyBeamLaserII' : 3025, 'SmallFocusedBeamLaserII' : 3033, 'SmallFocusedPulseLaserII' : 3041, 'MegaBeamLaserII' : 3049, 'MegaPulseLaserII' : 3057, 'TachyonBeamLaserII' : 3065, '150mmRailgunII' : 3074, 'ZainouGnomeShieldUpgradesSU602' : 3077, 'ZainouGnomeShieldUpgradesSU604' : 3078, 'ZainouGnomeShieldUpgradesSU606' : 3079, 'ZainouGnomeShieldManagementSM702' : 3080, 'ZainouGnomeShieldManagementSM704' : 3081, '250mmRailgunII' : 3082, 'ZainouGnomeShieldManagementSM706' : 3084, 'ZainouGnomeShieldEmissionSystemsSE802' : 3085, 'ZainouGnomeShieldEmissionSystemsSE804' : 3086, 'ZainouGnomeShieldEmissionSystemsSE806' : 3087, 'ZainouGnomeShieldOperationSP902' : 3088, 'ZainouGnomeShieldOperationSP904' : 3089, '425mmRailgunII' : 3090, 'ZainouGnomeShieldOperationSP906' : 3092, 'EifyrandCoRogueEvasiveManeuveringEM702' : 3093, 'EifyrandCoRogueEvasiveManeuveringEM704' : 3094, 'EifyrandCoRogueEvasiveManeuveringEM706' : 3095, 'EifyrandCoRogueNavigationNN602' : 3096, 'EifyrandCoRogueNavigationNN604' : 3097, '75mmGatlingRailII' : 3098, 'EifyrandCoRogueNavigationNN606' : 3100, 'EifyrandCoRogueFuelConservationFC802' : 3101, 'EifyrandCoRogueFuelConservationFC804' : 3102, 'EifyrandCoRogueFuelConservationFC806' : 3103, 'EifyrandCoRogueAfterburnerAB604' : 3104, 'EifyrandCoRogueAfterburnerAB608' : 3105, 'Dual150mmRailgunII' : 3106, 'EifyrandCoRogueAfterburnerAB612' : 3108, 'EifyrandCoRogueWarpDriveOperationWD604' : 3109, 'EifyrandCoRogueWarpDriveOperationWD608' : 3110, 'EifyrandCoRogueWarpDriveOperationWD612' : 3111, 'EifyrandCoRogueHighSpeedManeuveringHS902' : 3112, 'EifyrandCoRogueHighSpeedManeuveringHS904' : 3113, 'Dual250mmRailgunII' : 3114, 'EifyrandCoRogueHighSpeedManeuveringHS906' : 3116, 'EifyrandCoRogueWarpDriveSpeedWS608' : 3117, 'EifyrandCoRogueWarpDriveSpeedWS613' : 3118, 'EifyrandCoRogueWarpDriveSpeedWS618' : 3119, 'EifyrandCoRogueAccelerationControlAC602' : 3120, 'EifyrandCoRogueAccelerationControlAC604' : 3121, 'ElectronBlasterCannonII' : 3122, 'EifyrandCoRogueAccelerationControlAC606' : 3124, 'ZainouDeadeyeGuidedMissilePrecisionGP802' : 3125, 'ZainouDeadeyeGuidedMissilePrecisionGP804' : 3126, 'ZainouDeadeyeGuidedMissilePrecisionGP806' : 3127, 'ZainouDeadeyeMissileBombardmentMB702' : 3128, 'ZainouDeadeyeMissileBombardmentMB704' : 3129, 'HeavyElectronBlasterII' : 3130, 'ZainouDeadeyeMissileBombardmentMB706' : 3132, 'ZainouDeadeyeMissileProjectionMP702' : 3133, 'ZainouDeadeyeMissileProjectionMP704' : 3134, 'ZainouDeadeyeMissileProjectionMP706' : 3135, 'ZainouDeadeyeRapidLaunchRL1002' : 3136, 'ZainouDeadeyeRapidLaunchRL1004' : 3137, 'HeavyIonBlasterII' : 3138, 'ZainouDeadeyeRapidLaunchRL1006' : 3140, 'ZainouDeadeyeTargetNavigationPredictionTN902' : 3141, 'ZainouDeadeyeTargetNavigationPredictionTN904' : 3142, 'ZainouDeadeyeTargetNavigationPredictionTN906' : 3143, 'ZainouGnomeLauncherCPUEfficiencyLE602' : 3144, 'ZainouGnomeLauncherCPUEfficiencyLE604' : 3145, 'HeavyNeutronBlasterII' : 3146, 'ZainouGnomeLauncherCPUEfficiencyLE606' : 3148, 'HardwiringZainouSharpshooterZMX11' : 3149, 'HardwiringZainouSharpshooterZMX110' : 3150, 'HardwiringZainouSharpshooterZMX1100' : 3151, 'ZainouSnapshotDefenderMissilesDM802' : 3152, 'ZainouSnapshotDefenderMissilesDM804' : 3153, 'IonBlasterCannonII' : 3154, 'ZainouSnapshotDefenderMissilesDM806' : 3156, 'ZainouSnapshotHeavyAssaultMissilesAM702' : 3157, 'ZainouSnapshotHeavyAssaultMissilesAM704' : 3158, 'ZainouSnapshotHeavyAssaultMissilesAM706' : 3159, 'ZainouSnapshotFOFExplosionRadiusFR1002' : 3160, 'ZainouSnapshotFOFExplosionRadiusFR1004' : 3161, 'LightElectronBlasterII' : 3162, 'ZainouSnapshotFOFExplosionRadiusFR1006' : 3164, 'ZainouSnapshotHeavyMissilesHM702' : 3165, 'ZainouSnapshotHeavyMissilesHM704' : 3166, 'ZainouSnapshotHeavyMissilesHM706' : 3167, 'ZainouSnapshotLightMissilesLM902' : 3168, 'ZainouSnapshotLightMissilesLM904' : 3169, 'LightIonBlasterII' : 3170, 'ZainouSnapshotLightMissilesLM906' : 3172, 'ZainouSnapshotRocketsRD902' : 3173, 'ZainouSnapshotRocketsRD904' : 3174, 'ZainouSnapshotRocketsRD906' : 3175, 'ZainouSnapshotTorpedoesTD602' : 3176, 'ZainouSnapshotTorpedoesTD604' : 3177, 'LightNeutronBlasterII' : 3178, 'ZainouSnapshotTorpedoesTD606' : 3180, 'ZainouSnapshotCruiseMissilesCM602' : 3181, 'ZainouSnapshotCruiseMissilesCM604' : 3182, 'ZainouSnapshotCruiseMissilesCM606' : 3183, 'OREIndustrial' : 3184, 'EifyrandCoGunslingerMediumProjectileTurretMP802' : 3185, 'NeutronBlasterCannonII' : 3186, 'EifyrandCoGunslingerMediumProjectileTurretMP804' : 3188, 'EifyrandCoGunslingerMediumProjectileTurretMP806' : 3189, 'EifyrandCoGunslingerMotionPredictionMR702' : 3190, 'EifyrandCoGunslingerMotionPredictionMR704' : 3191, 'EifyrandCoGunslingerMotionPredictionMR706' : 3192, 'EifyrandCoGunslingerSurgicalStrikeSS902' : 3193, 'EifyrandCoGunslingerSurgicalStrikeSS904' : 3194, 'EifyrandCoGunslingerSurgicalStrikeSS906' : 3195, 'EifyrandCoGunslingerLargeProjectileTurretLP1002' : 3196, 'EifyrandCoGunslingerLargeProjectileTurretLP1004' : 3197, 'EifyrandCoGunslingerLargeProjectileTurretLP1006' : 3198, 'EifyrandCoGunslingerSmallProjectileTurretSP602' : 3199, 'EifyrandCoGunslingerSmallProjectileTurretSP604' : 3200, 'EifyrandCoGunslingerSmallProjectileTurretSP606' : 3201, 'InherentImplantsLancerSmallEnergyTurretSE602' : 3202, 'InherentImplantsLancerControlledBurstsCB702' : 3203, 'InherentImplantsLancerGunneryRF902' : 3204, 'InherentImplantsLancerLargeEnergyTurretLE1002' : 3205, 'InherentImplantsLancerMediumEnergyTurretME802' : 3206, 'InherentImplantsLancerSmallEnergyTurretSE604' : 3207, 'InherentImplantsLancerControlledBurstsCB704' : 3208, 'InherentImplantsLancerGunneryRF904' : 3209, 'InherentImplantsLancerLargeEnergyTurretLE1004' : 3210, 'InherentImplantsLancerMediumEnergyTurretME804' : 3211, 'InherentImplantsLancerSmallEnergyTurretSE606' : 3212, 'InherentImplantsLancerControlledBurstsCB706' : 3213, 'InherentImplantsLancerGunneryRF906' : 3214, 'InherentImplantsLancerLargeEnergyTurretLE1006' : 3215, 'InherentImplantsLancerMediumEnergyTurretME806' : 3216, 'ZainouDeadeyeSharpshooterST902' : 3217, 'HarvesterMiningDrone' : 3218, 'ZainouDeadeyeTrajectoryAnalysisTA704' : 3220, 'ZainouDeadeyeTrajectoryAnalysisTA706' : 3221, 'ZainouDeadeyeLargeHybridTurretLH1002' : 3222, 'ZainouDeadeyeLargeHybridTurretLH1004' : 3223, 'ZainouDeadeyeLargeHybridTurretLH1006' : 3224, 'ZainouDeadeyeSmallHybridTurretSH602' : 3225, 'ZainouDeadeyeSmallHybridTurretSH604' : 3226, 'ZainouDeadeyeSmallHybridTurretSH606' : 3227, 'ZainouGnomeWeaponUpgradesWU1002' : 3228, 'ZainouGnomeWeaponUpgradesWU1004' : 3229, 'ZainouGnomeWeaponUpgradesWU1006' : 3230, 'ZainouDeadeyeMediumHybridTurretMH802' : 3231, 'ZainouDeadeyeMediumHybridTurretMH804' : 3232, 'ZainouDeadeyeMediumHybridTurretMH806' : 3233, 'ZainouDeadeyeSharpshooterST904' : 3234, 'ZainouDeadeyeSharpshooterST906' : 3235, 'ZainouDeadeyeTrajectoryAnalysisTA702' : 3236, 'InherentImplantsSquireCapacitorManagementEM802' : 3237, 'InherentImplantsSquireCapacitorManagementEM804' : 3238, 'InherentImplantsSquireCapacitorManagementEM806' : 3239, 'InherentImplantsSquireCapacitorSystemsOperationEO602' : 3240, 'InherentImplantsSquireCapacitorSystemsOperationEO604' : 3241, 'WarpDisruptorI' : 3242, 'WarpDisruptorII' : 3244, 'InherentImplantsSquireCapacitorSystemsOperationEO606' : 3246, 'InherentImplantsSquireCapacitorEmissionSystemsES702' : 3247, 'InherentImplantsSquireCapacitorEmissionSystemsES704' : 3248, 'InherentImplantsSquireCapacitorEmissionSystemsES706' : 3249, 'InherentImplantsSquireEnergyPulseWeaponsEP702' : 3250, 'InherentImplantsSquireEnergyPulseWeaponsEP704' : 3251, 'InherentImplantsSquireEnergyPulseWeaponsEP706' : 3252, 'InherentImplantsSquireEnergyGridUpgradesEU702' : 3253, 'InherentImplantsSquireEnergyGridUpgradesEU704' : 3254, 'InherentImplantsSquireEnergyGridUpgradesEU706' : 3255, 'InherentImplantsSquirePowerGridManagementEG602' : 3256, 'InherentImplantsSquirePowerGridManagementEG604' : 3257, 'InherentImplantsSquirePowerGridManagementEG606' : 3258, 'ZainouGypsyElectronicsUpgradesEU602' : 3262, 'ZainouGypsyElectronicsUpgradesEU604' : 3263, 'ZainouGypsyElectronicsUpgradesEU606' : 3264, 'ZainouGypsyCPUManagementEE602' : 3265, 'ZainouGypsyCPUManagementEE604' : 3266, 'ZainouGypsyCPUManagementEE606' : 3267, 'ZainouGypsySignatureAnalysisSA702' : 3268, 'ZainouGypsySignatureAnalysisSA704' : 3269, 'ZainouGypsySignatureAnalysisSA706' : 3270, 'ZainouGypsyElectronicWarfareEW902' : 3271, 'ZainouGypsyElectronicWarfareEW904' : 3272, 'ZainouGypsyElectronicWarfareEW906' : 3273, 'ZainouGypsyLongRangeTargetingLT802' : 3274, 'ZainouGypsyLongRangeTargetingLT804' : 3275, 'ZainouGypsyLongRangeTargetingLT806' : 3276, 'ZainouGypsyPropulsionJammingPJ802' : 3277, 'ZainouGypsyPropulsionJammingPJ804' : 3278, 'ZainouGypsyPropulsionJammingPJ806' : 3279, 'ZainouGypsySensorLinkingSL902' : 3280, 'ZainouGypsySensorLinkingSL904' : 3281, 'ZainouGypsySensorLinkingSL906' : 3282, 'ZainouGypsyWeaponDisruptionWD902' : 3283, 'ZainouGypsyWeaponDisruptionWD904' : 3284, 'QuadLightBeamLaserII' : 3285, 'ZainouGypsyWeaponDisruptionWD906' : 3287, 'ZainouGypsyTargetPaintingTG902' : 3288, 'ZainouGypsyTargetPaintingTG904' : 3289, 'ZainouGypsyTargetPaintingTG906' : 3290, 'InherentImplantsNobleRepairSystemsRS602' : 3291, 'InherentImplantsNobleRepairSystemsRS604' : 3292, 'InherentImplantsNobleRepairSystemsRS606' : 3299, 'Gunnery' : 3300, 'SmallHybridTurret' : 3301, 'SmallProjectileTurret' : 3302, 'SmallEnergyTurret' : 3303, 'MediumHybridTurret' : 3304, 'MediumProjectileTurret' : 3305, 'MediumEnergyTurret' : 3306, 'LargeHybridTurret' : 3307, 'LargeProjectileTurret' : 3308, 'LargeEnergyTurret' : 3309, 'RapidFiring' : 3310, 'Sharpshooter' : 3311, 'MotionPrediction' : 3312, 'SurgicalStrike' : 3315, 'ControlledBursts' : 3316, 'TrajectoryAnalysis' : 3317, 'WeaponUpgrades' : 3318, 'MissileLauncherOperation' : 3319, 'Rockets' : 3320, 'LightMissiles' : 3321, 'AutoTargetingMissiles' : 3322, 'DefenderMissiles' : 3323, 'HeavyMissiles' : 3324, 'Torpedoes' : 3325, 'CruiseMissiles' : 3326, 'SpaceshipCommand' : 3327, 'GallenteFrigate' : 3328, 'MinmatarFrigate' : 3329, 'CaldariFrigate' : 3330, 'AmarrFrigate' : 3331, 'GallenteCruiser' : 3332, 'MinmatarCruiser' : 3333, 'CaldariCruiser' : 3334, 'AmarrCruiser' : 3335, 'GallenteBattleship' : 3336, 'MinmatarBattleship' : 3337, 'CaldariBattleship' : 3338, 'AmarrBattleship' : 3339, 'GallenteIndustrial' : 3340, 'MinmatarIndustrial' : 3341, 'CaldariIndustrial' : 3342, 'AmarrIndustrial' : 3343, 'GallenteTitan' : 3344, 'MinmatarTitan' : 3345, 'CaldariTitan' : 3346, 'AmarrTitan' : 3347, 'Leadership' : 3348, 'SkirmishWarfare' : 3349, 'SiegeWarfare' : 3350, 'SiegeWarfareSpecialist' : 3351, 'InformationWarfareSpecialist' : 3352, 'WarfareLinkSpecialist' : 3354, 'Social' : 3355, 'Negotiation' : 3356, 'Diplomacy' : 3357, 'FastTalk' : 3358, 'Connections' : 3359, 'CriminalConnections' : 3361, 'DEDConnections' : 3362, 'CorporationManagement' : 3363, 'StationManagement' : 3364, 'StarbaseManagement' : 3365, 'FactoryManagement' : 3366, 'RefineryManagement' : 3367, 'DiplomaticRelations' : 3368, 'CFOTraining' : 3369, 'ChiefScienceOfficer' : 3370, 'PublicRelations' : 3371, 'IntelligenceAnalyst' : 3372, 'StarbaseDefenseManagement' : 3373, 'Industry' : 3380, 'AmarrTech' : 3381, 'CaldariTech' : 3382, 'GallenteTech' : 3383, 'MinmatarTech' : 3384, 'Reprocessing' : 3385, 'Mining' : 3386, 'MassProduction' : 3387, 'AdvancedIndustry' : 3388, 'ReprocessingEfficiency' : 3389, 'MobileRefineryOperation' : 3390, 'MobileFactoryOperation' : 3391, 'Mechanics' : 3392, 'RepairSystems' : 3393, 'HullUpgrades' : 3394, 'AdvancedSmallShipConstruction' : 3395, 'AdvancedIndustrialShipConstruction' : 3396, 'AdvancedMediumShipConstruction' : 3397, 'AdvancedLargeShipConstruction' : 3398, 'OutpostConstruction' : 3400, 'Science' : 3402, 'Research' : 3403, 'Biology' : 3405, 'LaboratoryOperation' : 3406, 'SleeperEncryptionMethods' : 3408, 'Metallurgy' : 3409, 'Astrogeology' : 3410, 'Cybernetics' : 3411, 'Astrometrics' : 3412, 'PowerGridManagement' : 3413, 'InherentImplantsNobleRemoteArmorRepairSystemsRA702' : 3414, 'InherentImplantsNobleRemoteArmorRepairSystemsRA704' : 3415, 'ShieldOperation' : 3416, 'CapacitorSystemsOperation' : 3417, 'CapacitorManagement' : 3418, 'ShieldManagement' : 3419, 'TacticalShieldManipulation' : 3420, 'EnergyPulseWeapons' : 3421, 'ShieldEmissionSystems' : 3422, 'CapacitorEmissionSystems' : 3423, 'EnergyGridUpgrades' : 3424, 'ShieldUpgrades' : 3425, 'CPUManagement' : 3426, 'ElectronicWarfare' : 3427, 'LongRangeTargeting' : 3428, 'TargetManagement' : 3429, 'AdvancedTargetManagement' : 3430, 'SignatureAnalysis' : 3431, 'ElectronicsUpgrades' : 3432, 'SensorLinking' : 3433, 'WeaponDisruption' : 3434, 'PropulsionJamming' : 3435, 'Drones' : 3436, 'DroneAvionics' : 3437, 'MiningDroneOperation' : 3438, 'RepairDroneOperation' : 3439, 'SalvageDroneOperation' : 3440, 'HeavyDroneOperation' : 3441, 'DroneInterfacing' : 3442, 'Trade' : 3443, 'Retail' : 3444, 'BlackMarketTrading' : 3445, 'BrokerRelations' : 3446, 'Visibility' : 3447, 'Smuggling' : 3448, 'Navigation' : 3449, 'Afterburner' : 3450, 'FuelConservation' : 3451, 'AccelerationControl' : 3452, 'EvasiveManeuvering' : 3453, 'HighSpeedManeuvering' : 3454, 'WarpDriveOperation' : 3455, 'JumpDriveOperation' : 3456, 'BasicCoProcessor' : 3469, 'InherentImplantsNobleRemoteArmorRepairSystemsRA706' : 3470, 'InherentImplantsNobleMechanicMC802' : 3471, 'XLargeCapacitorBatteryII' : 3472, 'InherentImplantsNobleMechanicMC804' : 3474, 'InherentImplantsNobleMechanicMC806' : 3475, 'InherentImplantsNobleRepairProficiencyRP902' : 3476, 'InherentImplantsNobleRepairProficiencyRP904' : 3477, 'InherentImplantsNobleRepairProficiencyRP906' : 3478, 'InherentImplantsNobleHullUpgradesHG1002' : 3479, 'MicroCapacitorBatteryII' : 3480, 'InherentImplantsNobleHullUpgradesHG1004' : 3481, 'InherentImplantsNobleHullUpgradesHG1006' : 3482, 'SmallCapacitorBatteryII' : 3488, 'MediumCapacitorBatteryII' : 3496, 'LargeCapacitorBatteryII' : 3504, 'FocusedMediumPulseLaserII' : 3512, 'Revenant' : 3514, 'Malice' : 3516, 'Vangel' : 3518, 'HeavyPulseLaserII' : 3520, 'MediumArmorRepairerI' : 3528, 'MediumArmorRepairerII' : 3530, 'Echelon' : 3532, 'CapitalInefficientArmorRepairUnit' : 3534, 'CapitalCoaxialRemoteArmorRepairer' : 3536, 'LargeArmorRepairerI' : 3538, 'LargeArmorRepairerII' : 3540, 'CapitalNeutronSaturationInjectorI' : 3542, 'CapitalMurkyRemoteShieldBooster' : 3544, 'LimitedMegaIonSiegeBlasterI' : 3546, 'TutorialAttackDrone' : 3549, 'Dual1000mmScoutAcceleratorCannon' : 3550, 'Survey' : 3551, 'CapBooster75' : 3552, 'CapBooster100' : 3554, 'MicroCapacitorBoosterI' : 3556, 'MicroCapacitorBoosterII' : 3558, 'DualModalGigaPulseLaserI' : 3559, 'DualGigaModalLaserI' : 3561, 'LimosCitadelCruiseLauncherI' : 3563, 'ShockLimosCitadelTorpedoBayI' : 3565, 'SmallCapacitorBoosterI' : 3566, 'SmallCapacitorBoosterII' : 3568, 'Quad3500mmGalliumCannon' : 3571, '6x2500mmHeavyGalliumRepeatingCannon' : 3573, 'CapitalMurkyRemoteCapacitorTransmitter' : 3575, 'HeavyCapacitorBoosterI' : 3576, 'HeavyCapacitorBoosterII' : 3578, 'PurloinedSanshaDataAnalyzer' : 3581, 'SmallRemoteShieldBoosterI' : 3586, 'SmallRemoteShieldBoosterII' : 3588, 'MediumRemoteShieldBoosterI' : 3596, 'MediumRemoteShieldBoosterII' : 3598, 'LargeRemoteShieldBoosterI' : 3606, 'LargeRemoteShieldBoosterII' : 3608, 'CapitalRemoteShieldBoosterI' : 3616, 'CapitalRemoteShieldBoosterII' : 3618, 'Nation' : 3628, 'CivilianGatlingPulseLaser' : 3634, 'CivilianGatlingAutocannon' : 3636, 'CivilianGatlingRailgun' : 3638, 'CivilianLightElectronBlaster' : 3640, 'CivilianMiner' : 3651, 'MediumHullRepairerI' : 3653, 'MediumHullRepairerII' : 3655, 'LargeHullRepairerI' : 3663, 'LargeHullRepairerII' : 3665, 'MegacorpManagement' : 3731, 'EmpireControl' : 3732, 'CobraMine' : 3733, 'AnacondaMine' : 3735, 'AspMine' : 3737, 'SOCT1' : 3751, 'SOCT2' : 3753, 'JoveFrigate' : 3755, 'Gnosis' : 3756, 'JoveCruiser' : 3758, 'Leviathan' : 3764, 'Vigil' : 3766, 'AmarrPoliceFrigate' : 3768, 'DataSubverterI' : 3793, 'MediumShieldExtenderI' : 3829, 'MediumShieldExtenderII' : 3831, 'LargeShieldExtenderI' : 3839, 'LargeShieldExtenderII' : 3841, 'MicroShieldExtenderI' : 3849, 'MicroShieldExtenderII' : 3851, 'CoProcessorI' : 3887, 'CoProcessorII' : 3888, 'MiningConnections' : 3893, 'DistributionConnections' : 3894, 'SecurityConnections' : 3895, 'MicroProtonSmartbombI' : 3897, 'QuafeZero' : 3898, 'MicroProtonSmartbombII' : 3899, 'MicroGravitonSmartbombI' : 3901, 'MicroGravitonSmartbombII' : 3903, 'MicroPlasmaSmartbombI' : 3907, 'MicroPlasmaSmartbombII' : 3909, 'MicroEMPSmartbombI' : 3913, 'MicroEMPSmartbombII' : 3915, 'MediumProtonSmartbombI' : 3937, 'MediumProtonSmartbombII' : 3939, 'MediumGravitonSmartbombI' : 3941, 'MediumGravitonSmartbombII' : 3943, 'MediumPlasmaSmartbombI' : 3947, 'MediumPlasmaSmartbombII' : 3949, 'MediumEMPSmartbombI' : 3953, 'MediumEMPSmartbombII' : 3955, 'LargeProtonSmartbombI' : 3977, 'LargeProtonSmartbombII' : 3979, 'LargeGravitonSmartbombI' : 3981, 'LargeGravitonSmartbombII' : 3983, 'LargeRemoteHullRepairerII' : 3986, 'LargePlasmaSmartbombI' : 3987, 'LargePlasmaSmartbombII' : 3989, 'LargeEMPSmartbombI' : 3993, 'LargeEMPSmartbombII' : 3995, 'ScorpionIshukoneWatch' : 4005, 'RADARBackupArrayI' : 4013, 'RADARBackupArrayII' : 4014, 'X5PrototypeEngineEnervator' : 4025, 'FleetingPropulsionInhibitorI' : 4027, 'LangourDriveDisruptorI' : 4029, 'PatternedStasisWebI' : 4031, 'SleeperTurretSmall' : 4044, 'SleeperTurretMedium' : 4045, 'SleeperTurretLarge' : 4049, 'DualHeavyPulseLaserII' : 4147, 'WarpDisruptionFieldGeneratorII' : 4248, 'SmallTractorBeamII' : 4250, 'CapitalTractorBeamII' : 4252, 'MicroAuxiliaryPowerCoreII' : 4254, 'BombLauncherII' : 4256, 'CoreProbeLauncherII' : 4258, 'ExpandedProbeLauncherII' : 4260, 'ArmoredWarfareLinkDamageControlII' : 4262, 'ArmoredWarfareLinkPassiveDefenseII' : 4264, 'ArmoredWarfareLinkRapidRepairII' : 4266, 'InformationWarfareLinkElectronicSuperiorityII' : 4268, 'InformationWarfareLinkReconOperationII' : 4270, 'InformationWarfareLinkSensorIntegrityII' : 4272, 'MiningForemanLinkHarvesterCapacitorEfficiencyII' : 4274, 'MiningForemanLinkLaserOptimizationII' : 4276, 'MiningForemanLinkMiningLaserFieldEnhancementII' : 4278, 'SiegeWarfareLinkActiveShieldingII' : 4280, 'SiegeWarfareLinkShieldEfficiencyII' : 4282, 'SiegeWarfareLinkShieldHarmonizingII' : 4284, 'SkirmishWarfareLinkEvasiveManeuversII' : 4286, 'SkirmishWarfareLinkInterdictionManeuversII' : 4288, 'SkirmishWarfareLinkRapidDeploymentII' : 4290, 'SiegeModuleII' : 4292, 'TriageModuleII' : 4294, 'MediumRemoteHullRepairerII' : 4296, 'SmallRemoteHullRepairerII' : 4299, 'Oracle' : 4302, 'Naga' : 4306, 'Talos' : 4308, 'Tornado' : 4310, 'GistumBTypeAdaptiveInvulnerabilityField' : 4345, 'GistumATypeAdaptiveInvulnerabilityField' : 4346, 'PithumATypeAdaptiveInvulnerabilityField' : 4347, 'PithumBTypeAdaptiveInvulnerabilityField' : 4348, 'PithumCTypeAdaptiveInvulnerabilityField' : 4349, 'QAECCM' : 4360, 'MiasmosQuafeUltraEdition' : 4363, 'SmallTargetingAmplifierI' : 4369, 'QARemoteArmorRepairSystem5Players' : 4371, 'QAShieldTransporter5Players' : 4372, 'QADamageModule' : 4373, 'QAMultishipModule10Players' : 4374, 'QAMultishipModule20Players' : 4375, 'QAMultishipModule40Players' : 4376, 'QAMultishipModule5Players' : 4377, 'QAImmunityModule' : 4380, 'LargeMicroJumpDrive' : 4383, 'MicroJumpDriveOperation' : 4385, 'MiasmosQuafeUltramarineEdition' : 4388, 'LargeAncillaryShieldBooster' : 4391, 'DroneDamageAmplifierI' : 4393, 'MediumProcessorOverclockingUnitI' : 4395, 'LargeProcessorOverclockingUnitI' : 4397, 'MediumProcessorOverclockingUnitII' : 4399, 'LargeProcessorOverclockingUnitII' : 4401, 'ReactiveArmorHardener' : 4403, 'DroneDamageAmplifierII' : 4405, 'ShieldBoosterFuelAllocationScript' : 4407, 'TargetSpectrumBreaker' : 4409, 'TargetBreakerAmplification' : 4411, 'Fa10BufferCapacitorRegenerator' : 4421, 'IndustrialCapacitorRecharger' : 4423, 'AGMCapacitorChargeArray' : 4425, 'SecondaryParallelLinkCapacitor' : 4427, 'Fb10NominalCapacitorRegenerator' : 4431, 'BartonReactorCapacitorRechargerI' : 4433, 'EutecticCompactCapRecharger' : 4435, 'FixedParallelLinkCapacitorI' : 4437, '5WInfectiousPowerSystemMalfunction' : 4471, 'SmallRudimentaryEnergyDestabilizerI' : 4473, 'SmallUnstablePowerFluctuatorI' : 4475, 'SmallGremlinPowerCoreDisruptorI' : 4477, 'SmallIaPolarizedArmorRegenerator' : 4529, 'SmallInefficientArmorRepairUnit' : 4531, 'SmallAccommodationVestmentReconstructerI' : 4533, 'SmallAutomatedCarapaceRestoration' : 4535, 'MediumIaPolarizedArmorRegenerator' : 4569, 'MediumInefficientArmorRepairUnit' : 4571, 'MediumAccommodationVestmentReconstructerI' : 4573, 'MediumAutomatedCarapaceRestoration' : 4575, 'MediumNanoArmorRepairUnitI' : 4579, 'LargeIaPolarizedArmorRegenerator' : 4609, 'LargeInefficientArmorRepairUnit' : 4611, 'LargeAccommodationVestmentReconstructerI' : 4613, 'LargeAutomatedCarapaceRestoration' : 4615, 'LargeReprieveVestmentReconstructerI' : 4621, 'MicroF4aLdSulfateCapacitorChargeUnit' : 4745, 'MicroLdAcidCapacitorBatteryI' : 4747, 'MicroPeroxideCapacitorPowerCell' : 4749, 'MicroOhmCapacitorReserveI' : 4751, 'SmallF4aLdSulfateCapacitorChargeUnit' : 4785, 'SmallLdAcidCapacitorBatteryI' : 4787, 'SmallPeroxideCapacitorPowerCell' : 4789, 'SmallOhmCapacitorReserveI' : 4791, 'MediumFRXPrototypeCapacitorBoost' : 4829, 'MediumBriefCapacitorOverchargeI' : 4831, 'MediumElectrochemicalCapacitorBoosterI' : 4833, 'MediumTaperedCapacitorInfusionI' : 4835, 'LargeF4aLdSulfateCapacitorChargeUnit' : 4869, 'LargeLdAcidCapacitorBatteryI' : 4871, 'LargePeroxideCapacitorPowerCell' : 4873, 'LargeOhmCapacitorReserveI' : 4875, 'XLargeF4aLdSulfateCapacitorChargeUnit' : 4909, 'XLargeLdAcidCapacitorBatteryI' : 4911, 'XLargePeroxideCapacitorPowerCell' : 4913, 'XLargeOhmCapacitorReserveI' : 4915, 'MicroFRXPrototypeCapacitorBoost' : 4955, 'MicroBriefCapacitorOverchargeI' : 4957, 'MicroElectrochemicalCapacitorBoosterI' : 4959, 'MicroTaperedCapacitorInfusionI' : 4961, 'SmallFRXPrototypeCapacitorBoost' : 5007, 'SmallBriefCapacitorOverchargeI' : 5009, 'SmallElectrochemicalCapacitorBoosterI' : 5011, 'SmallTaperedCapacitorInfusionI' : 5013, 'SmallPerishableCapacitorOverchargeII' : 5017, 'HeavyFRXPrototypeCapacitorBoost' : 5047, 'HeavyBriefCapacitorOverchargeI' : 5049, 'HeavyElectrochemicalCapacitorBoosterI' : 5051, 'HeavyTaperedCapacitorInfusionI' : 5053, 'SmallPartialE95aRemoteCapacitorTransmitter' : 5087, 'SmallMurkyRemoteCapacitorTransmitter' : 5089, 'SmallRegardRemoteCapacitorTransmitter' : 5091, 'SmallAsymmetricRemoteCapacitorTransmitter' : 5093, 'E5PrototypeEnergyVampire' : 5135, 'SmallKnaveEnergyDrain' : 5137, 'SmallDiminishingPowerSystemDrainI' : 5139, 'SmallGhoulEnergySiphonI' : 5141, 'GatlingModalLaserI' : 5175, 'GatlingAfocalMaserI' : 5177, 'GatlingModulatedEnergyBeamI' : 5179, 'GatlingAnodeParticleStreamI' : 5181, 'DualModalPulseLaserI' : 5215, 'DualAfocalPulseMaserI' : 5217, 'DualModulatedPulseEnergyBeamI' : 5219, 'DualAnodePulseParticleStreamI' : 5221, 'EPRArgonIonBasicExcavationPulse' : 5231, 'SingleDiodeBasicMiningLaser' : 5233, 'XenonBasicDrillingBeam' : 5235, 'RubinBasicParticleBoreStream' : 5237, 'EPSGaussianScopedMiningLaser' : 5239, 'DualDiodeMiningLaserI' : 5241, 'XeClDrillingBeamI' : 5243, 'ParticleBoreCompactMiningLaser' : 5245, 'F23ReciprocalRemoteSensorBooster' : 5279, 'ConnectedRemoteSensorBooster' : 5280, 'CoadjunctLinkedRemoteSensorBooster' : 5281, 'LinkedRemoteSensorBooster' : 5282, 'LowFrequencySensorSuppressorI' : 5299, 'IndirectScanningDampeningUnitI' : 5300, 'KapteynSensorArrayInhibitorI' : 5301, 'PhasedMuonSensorDisruptorI' : 5302, 'F392BakerNunnTrackingDisruptorI' : 5319, 'BalmerSeriesTrackingDisruptorI' : 5320, 'AbandonTrackingDisruptorI' : 5321, 'DDOPhotometryTrackingDisruptorI' : 5322, 'F293NutationRemoteTrackingComputer' : 5339, 'PhaseSwitchingRemoteTrackingComputer' : 5340, 'PrayerRemoteTrackingComputer' : 5341, 'AlfvenSurfaceRemoteTrackingComputer' : 5342, '1Z3SubversiveECMEruption' : 5359, 'DelugeECMBurstI' : 5361, 'RashECMEmissionI' : 5363, 'CetusECMShockwaveI' : 5365, 'J5PrototypeWarpDisruptorI' : 5399, 'FleetingWarpDisruptorI' : 5401, 'FaintWarpDisruptorI' : 5403, 'InitiatedWarpDisruptorI' : 5405, 'J5bPhasedPrototypeWarpScramblerI' : 5439, 'FleetingProgressiveWarpScramblerI' : 5441, 'FaintEpsilonWarpScramblerI' : 5443, 'InitiatedHarmonicWarpScramblerI' : 5445, 'MarkedModifiedSSExpandedCargo' : 5479, 'PartialHullConversionExpandedCargo' : 5481, 'AlphaHullModExpandedCargo' : 5483, 'TypeEAlteredSSExpandedCargo' : 5485, 'MarkIModifiedSSExpandedCargo' : 5487, 'LocalHullConversionExpandedCargoI' : 5489, 'BetaHullModExpandedCargo' : 5491, 'TypeDRestrainedExpandedCargo' : 5493, 'MarkedModifiedSSInertialStabilizers' : 5519, 'PartialHullConversionInertialStabilizers' : 5521, 'AlphaHullModInertialStabilizers' : 5523, 'TypeEAlteredSSInertialStabilizers' : 5525, 'MarkIModifiedSSInertialStabilizers' : 5527, 'LocalHullConversionInertialStabilizersI' : 5529, 'BetaHullModInertialStabilizers' : 5531, 'TypeDRestrainedInertialStabilizers' : 5533, 'PartialHullConversionNanofiberStructure' : 5559, 'LocalHullConversionNanofiberStructureI' : 5561, 'AlphaHullModNanofiberStructure' : 5591, 'TypeEAlteredSSNanofiberStructure' : 5593, 'MarkedModifiedSSNanofiberStructure' : 5595, 'BetaHullModNanofiberStructure' : 5597, 'TypeDRestrainedNanofiberStructure' : 5599, 'MarkIModifiedSSNanofiberStructure' : 5601, 'PartialHullConversionOverdriveInjector' : 5611, 'AlphaHullModOverdriveInjector' : 5613, 'TypeEAlteredSSOverdriveInjector' : 5615, 'MarkedModifiedSSOverdriveInjector' : 5617, 'LocalHullConversionOverdriveInjectorI' : 5627, 'BetaHullModOverdriveInjector' : 5629, 'TypeDRestrainedOverdriveInjector' : 5631, 'MarkIModifiedSSOverdriveInjector' : 5633, 'LocalHullConversionReinforcedBulkheadsI' : 5643, 'BetaHullModReinforcedBulkheads' : 5645, 'TypeDRestrainedReinforcedBulkheads' : 5647, 'MarkICompactReinforcedBulkheads' : 5649, 'PartialHullConversionReinforcedBulkheads' : 5675, 'AlphaHullModReinforcedBulkheads' : 5677, 'TypeEAlteredSSReinforcedBulkheads' : 5679, 'MarkedModifiedSSReinforcedBulkheads' : 5681, 'MediumInefficientHullRepairUnit' : 5683, 'SmallInefficientHullRepairUnit' : 5693, 'LargeInefficientHullRepairUnit' : 5697, 'MediumHopeHullReconstructorI' : 5719, 'MediumAutomatedStructuralRestoration' : 5721, 'MediumIbPolarizedStructuralRegenerator' : 5723, 'SmallHopeHullReconstructorI' : 5743, 'SmallAutomatedStructuralRestoration' : 5745, 'SmallIbPolarizedStructuralRegenerator' : 5747, 'LargeHopeHullReconstructorI' : 5755, 'LargeAutomatedStructuralRestoration' : 5757, 'LargeIbPolarizedStructuralRegenerator' : 5759, 'GLFFContainmentField' : 5829, 'InteriorForceFieldArray' : 5831, 'SystematicDamageControl' : 5833, 'F84LocalDamageSystem' : 5835, 'PseudoelectronContainmentFieldI' : 5837, 'InternalForceFieldArrayI' : 5839, 'EmergencyDamageControlI' : 5841, 'F85PeripheralDamageSystemI' : 5843, 'HeatExhaustSystem' : 5845, 'ThermalExhaustSystemI' : 5846, 'ExtrudedHeatSinkI' : 5849, 'StampedHeatSink' : 5854, 'BoreasCoolantSystem' : 5855, 'C3SConvectionThermalRadiator' : 5856, 'SkadiCoolantSystemI' : 5857, 'C4SCoiledCircuitThermalRadiator' : 5858, 'IndirectTargetAcquisitionI' : 5865, 'PassiveTargetingArrayI' : 5867, 'SuppressedTargetingSystemI' : 5869, '41FVeiledTargetingUnit' : 5871, 'HydraulicStabilizationActuator' : 5913, 'LateralGyrostabilizer' : 5915, 'StabilizedWeaponMounts' : 5917, 'FM2WeaponInertialSuspensor' : 5919, 'PneumaticStabilizationActuatorI' : 5929, 'CrossLateralGyrostabilizerI' : 5931, 'CounterbalancedWeaponMountsI' : 5933, 'FM3MunitionInertialSuspensor' : 5935, '500MNColdGasEnduringMicrowarpdrive' : 5945, '100MNMonopropellantEnduringAfterburner' : 5955, '5MNColdGasEnduringMicrowarpdrive' : 5971, '5MNYT8CompactMicrowarpdrive' : 5973, '50MNColdGasEnduringMicrowarpdrive' : 5975, '1MNYS8CompactAfterburner' : 6001, '1MNMonopropellantEnduringAfterburner' : 6003, '10MNMonopropellantEnduringAfterburner' : 6005, 'HostileTargetAcquisitionI' : 6041, 'RecusantHostileTargetingArrayI' : 6043, 'ResponsiveAutoTargetingSystemI' : 6045, 'AutomatedTargetingUnitI' : 6047, 'MediumLdAcidCapacitorBatteryI' : 6073, 'MediumPeroxideCapacitorPowerCell' : 6083, 'MediumOhmCapacitorReserveI' : 6097, 'MediumF4aLdSulfateCapacitorChargeUnit' : 6111, 'SurfaceCargoScannerI' : 6129, 'TypeEEnduringCargoScanner' : 6131, 'InteriorTypeECargoIdentifier' : 6133, 'PL0ScopedCargoScanner' : 6135, 'SupplementalScanningCPUI' : 6157, 'PrototypeSensorBooster' : 6158, 'AlumelWiredSensorAugmentation' : 6159, 'F90PositionalSensorSubroutines' : 6160, 'OpticalTrackingComputerI' : 6173, 'MonopulseTrackingMechanismI' : 6174, 'OrionTrackingCPUI' : 6175, 'F12NonlinearTrackingProcessor' : 6176, 'EmergencyMagnetometricScanners' : 6193, 'EmergencyMultiFrequencyScanners' : 6194, 'ReserveGravimetricScanners' : 6195, 'ReserveLadarScanners' : 6199, 'EmergencyRADARScanners' : 6202, 'ReserveMagnetometricScanners' : 6203, 'ReserveMultiFrequencyScanners' : 6207, 'ReserveRADARScanners' : 6212, 'EmergencyLadarScanners' : 6216, 'EmergencyGravimetricScanners' : 6217, 'ProtectedGravimetricBackupClusterI' : 6218, 'ProtectedLadarBackupClusterI' : 6222, 'SealedRADARBackupCluster' : 6225, 'ProtectedMagnetometricBackupClusterI' : 6226, 'ProtectedMultiFrequencyBackupClusterI' : 6230, 'ProtectedRADARBackupClusterI' : 6234, 'SealedMagnetometricBackupCluster' : 6238, 'SealedMultiFrequencyBackupCluster' : 6239, 'SealedLadarBackupCluster' : 6241, 'SealedGravimetricBackupCluster' : 6242, 'SurrogateGravimetricReserveArrayI' : 6243, 'F43RepetitiveGravimetricBackupSensors' : 6244, 'SurrogateLadarReserveArrayI' : 6251, 'F43RepetitiveLadarBackupSensors' : 6252, 'SurplusRADARReserveArray' : 6257, 'F42ReiterativeRADARBackupSensors' : 6258, 'SurrogateMagnetometricReserveArrayI' : 6259, 'F43RepetitiveMagnetometricBackupSensors' : 6260, 'SurrogateMultiFrequencyReserveArrayI' : 6267, 'F43RepetitiveMultiFrequencyBackupSensors' : 6268, 'SurrogateRADARReserveArrayI' : 6275, 'F43RepetitiveRADARBackupSensors' : 6276, 'SurplusMagnetometricReserveArray' : 6283, 'F42ReiterativeMagnetometricBackupSensors' : 6284, 'SurplusMultiFrequencyReserveArray' : 6285, 'F42ReiterativeMultiFrequencyBackupSensors' : 6286, 'SurplusLadarReserveArray' : 6289, 'F42ReiterativeLadarBackupSensors' : 6290, 'SurplusGravimetricReserveArray' : 6291, 'F42ReiterativeGravimetricBackupSensors' : 6292, 'WavelengthSignalEnhancerI' : 6293, 'MendicantSignalBoosterI' : 6294, 'TypeDAttenuationSignalAugmentation' : 6295, 'F89SynchronizedSignalAmplifier' : 6296, 'AmplitudeSignalEnhancer' : 6309, 'AcolythSignalBooster' : 6310, 'TypeEDiscriminativeSignalAugmentation' : 6311, 'F90PositionalSignalAmplifier' : 6312, 'BeamParallaxTrackingProgram' : 6321, 'BetaNoughtTrackingMode' : 6322, 'AzimuthDescallopingTrackingEnhancer' : 6323, 'FAQDelayLineScanTrackingSubroutines' : 6324, 'FourierTransformTrackingProgram' : 6325, 'SigmaNoughtTrackingModeI' : 6326, 'AutoGainControlTrackingEnhancerI' : 6327, 'FaQPhaseCodeTrackingSubroutines' : 6328, 'SmallC5LEmergencyShieldOverloadI' : 6437, 'SmallNeutronSaturationInjectorI' : 6439, 'SmallClarityWardBoosterI' : 6441, 'SmallConverseDeflectionCatalyzer' : 6443, 'M51IterativeShieldRegenerator' : 6485, 'SupplementalScreenGeneratorI' : 6487, 'BenefactorWardReconstructor' : 6489, 'PassiveBarrierCompensatorI' : 6491, 'Ta3PerfunctoryVesselProbe' : 6525, 'Ta3CompactShipScanner' : 6527, 'SpeculativeShipIdentifierI' : 6529, 'PracticalTypeEShipProbe' : 6531, 'ML3AmphilotiteMiningProbe' : 6567, 'ML3ScopedSurveyScanner' : 6569, 'RockScanningSensorArrayI' : 6571, 'DactylTypeEAsteroidAnalyzer' : 6573, 'DualModalLightLaserI' : 6631, 'DualAfocalLightMaserI' : 6633, 'DualModulatedLightEnergyBeamI' : 6635, 'DualAnodeLightParticleStreamI' : 6637, 'SmallFocusedModalPulseLaserI' : 6671, 'SmallFocusedAfocalPulseMaserI' : 6673, 'SmallFocusedModulatedPulseEnergyBeamI' : 6675, 'SmallFocusedAnodePulseParticleStreamI' : 6677, 'SmallFocusedModalLaserI' : 6715, 'SmallFocusedAfocalMaserI' : 6717, 'SmallFocusedModulatedEnergyBeamI' : 6719, 'SmallFocusedAnodeParticleStreamI' : 6721, 'QuadModalLightLaserI' : 6757, 'QuadAfocalLightMaserI' : 6759, 'QuadModulatedLightEnergyBeamI' : 6761, 'QuadAnodeLightParticleStreamI' : 6763, 'FocusedModalPulseLaserI' : 6805, 'FocusedAfocalPulseMaserI' : 6807, 'FocusedModulatedPulseEnergyBeamI' : 6809, 'FocusedAnodePulseParticleStreamI' : 6811, 'FocusedModalMediumLaserI' : 6859, 'FocusedAfocalMediumMaserI' : 6861, 'FocusedModulatedMediumEnergyBeamI' : 6863, 'FocusedAnodeMediumParticleStreamI' : 6865, 'HeavyModalPulseLaserI' : 6919, 'HeavyAfocalPulseMaserI' : 6921, 'HeavyModulatedPulseEnergyBeamI' : 6923, 'HeavyAnodePulseParticleStreamI' : 6925, 'HeavyModalLaserI' : 6959, 'HeavyAfocalMaserI' : 6961, 'HeavyModulatedEnergyBeamI' : 6963, 'HeavyAnodeParticleStreamI' : 6965, 'DualHeavyModalPulseLaserI' : 6999, 'DualHeavyAfocalPulseMaserI' : 7001, 'DualHeavyModulatedPulseEnergyBeamI' : 7003, 'DualHeavyAnodePulseParticleStreamI' : 7005, 'DualModalHeavyLaserI' : 7043, 'DualAfocalHeavyMaserI' : 7045, 'DualModulatedHeavyEnergyBeamI' : 7047, 'DualAnodeHeavyParticleStreamI' : 7049, 'MegaModalPulseLaserI' : 7083, 'MegaAfocalPulseMaserI' : 7085, 'MegaModulatedPulseEnergyBeamI' : 7087, 'MegaAnodePulseParticleStreamI' : 7089, 'MegaModalLaserI' : 7123, 'MegaAfocalMaserI' : 7125, 'MegaModulatedEnergyBeamI' : 7127, 'MegaAnodeParticleStreamI' : 7131, 'TachyonModalLaserI' : 7167, 'TachyonAfocalMaserI' : 7169, 'TachyonModulatedEnergyBeamI' : 7171, 'TachyonAnodeParticleStreamI' : 7173, 'SpotPulsingECCMI' : 7217, 'PiercingECCMEmitterI' : 7218, 'ScatteringECCMProjectorI' : 7219, 'PhasedMuonECCMCasterI' : 7220, '75mmPrototypeGaussGun' : 7247, '75mmScoutAcceleratorCannon' : 7249, '75mmCarbideRailgunI' : 7251, '75mmCompressedCoilGunI' : 7253, '150mmPrototypeGaussGun' : 7287, '150mmScoutAcceleratorCannon' : 7289, '150mmCarbideRailgunI' : 7291, '150mmCompressedCoilGunI' : 7293, 'Dual150mmPrototypeGaussGun' : 7327, 'Dual150mmScoutAcceleratorCannon' : 7329, 'Dual150mmCarbideRailgunI' : 7331, 'Dual150mmCompressedCoilGunI' : 7333, '250mmPrototypeGaussGun' : 7367, '250mmScoutAcceleratorCannon' : 7369, '250mmCarbideRailgunI' : 7371, '250mmCompressedCoilGunI' : 7373, 'Dual250mmPrototypeGaussGun' : 7407, 'Dual250mmScoutAcceleratorCannon' : 7409, 'Dual250mmCarbideRailgunI' : 7411, 'Dual250mmCompressedCoilGunI' : 7413, '425mmPrototypeGaussGun' : 7447, '425mmScoutAcceleratorCannon' : 7449, '425mmCarbideRailgunI' : 7451, '425mmCompressedCoilGunI' : 7453, 'ModalLightElectronParticleAcceleratorI' : 7487, 'LimitedLightElectronBlasterI' : 7489, 'RegulatedLightElectronPhaseCannonI' : 7491, 'AnodeLightElectronParticleCannonI' : 7493, 'ModalLightIonParticleAcceleratorI' : 7535, 'LimitedLightIonBlasterI' : 7537, 'RegulatedLightIonPhaseCannonI' : 7539, 'AnodeLightIonParticleCannonI' : 7541, 'ModalLightNeutronParticleAcceleratorI' : 7579, 'LimitedLightNeutronBlasterI' : 7581, 'RegulatedLightNeutronPhaseCannonI' : 7583, 'AnodeLightNeutronParticleCannonI' : 7585, 'ModalElectronParticleAcceleratorI' : 7619, 'LimitedElectronBlasterI' : 7621, 'RegulatedElectronPhaseCannonI' : 7623, 'AnodeElectronParticleCannonI' : 7625, 'ModalIonParticleAcceleratorI' : 7663, 'LimitedIonBlasterI' : 7665, 'RegulatedIonPhaseCannonI' : 7667, 'AnodeIonParticleCannonI' : 7669, 'ModalNeutronParticleAcceleratorI' : 7703, 'LimitedNeutronBlasterI' : 7705, 'RegulatedNeutronPhaseCannonI' : 7707, 'AnodeNeutronParticleCannonI' : 7709, 'ModalMegaElectronParticleAcceleratorI' : 7743, 'LimitedElectronBlasterCannonI' : 7745, 'RegulatedMegaElectronPhaseCannonI' : 7747, 'AnodeMegaElectronParticleCannonI' : 7749, 'ModalMegaNeutronParticleAcceleratorI' : 7783, 'LimitedMegaNeutronBlasterI' : 7785, 'RegulatedMegaNeutronPhaseCannonI' : 7787, 'AnodeMegaNeutronParticleCannonI' : 7789, 'ModalMegaIonParticleAcceleratorI' : 7827, 'LimitedMegaIonBlasterI' : 7829, 'RegulatedMegaIonPhaseCannonI' : 7831, 'AnodeMegaIonParticleCannonI' : 7833, 'SupplementalLadarECCMScanningArrayI' : 7867, 'SupplementalGravimetricECCMScanningArrayI' : 7869, 'SupplementalOmniECCMScanningArrayI' : 7870, 'SupplementalRadarECCMScanningArrayI' : 7887, 'SupplementalMagnetometricECCMScanningArrayI' : 7889, 'PrototypeECCMRadarSensorCluster' : 7892, 'PrototypeECCMLadarSensorCluster' : 7893, 'PrototypeECCMGravimetricSensorCluster' : 7895, 'PrototypeECCMOmniSensorCluster' : 7896, 'PrototypeECCMMagnetometricSensorCluster' : 7914, 'AlumelRadarECCMSensorArrayI' : 7917, 'AlumelLadarECCMSensorArrayI' : 7918, 'AlumelGravimetricECCMSensorArrayI' : 7922, 'AlumelOmniECCMSensorArrayI' : 7926, 'AlumelMagnetometricECCMSensorArrayI' : 7937, 'GravimetricPositionalECCMSensorSystemI' : 7948, 'RadarPositionalECCMSensorSystemI' : 7964, 'OmniPositionalECCMSensorSystemI' : 7965, 'LadarPositionalECCMSensorSystemI' : 7966, 'MagnetometricPositionalECCMSensorSystemI' : 7970, 'ExperimentalTE2100LightMissileLauncher' : 7993, 'XR3200HeavyMissileBay' : 7997, 'ExperimentalZW4100TorpedoLauncher' : 8001, 'ExperimentalSV2000RapidLightMissileLauncher' : 8007, 'UpgradedMalkuthRapidLightMissileLauncher' : 8023, 'LimitedLimosRapidLightMissileLauncher' : 8025, 'PrototypeArbalestRapidLightMissileLauncher' : 8027, 'ArbalestCompactLightMissileLauncher' : 8089, 'TE2100AmpleLightMissileLauncher' : 8091, 'PrototypeArbalestLightMissileLauncher' : 8093, 'MalkuthHeavyMissileLauncherI' : 8101, 'AdvancedLimosHeavyMissileBayI' : 8103, 'ArbalestHeavyMissileLauncher' : 8105, 'UpgradedMalkuthTorpedoLauncher' : 8113, 'LimitedLimosTorpedoLauncher' : 8115, 'PrototypeArbalestTorpedoLauncher' : 8117, 'LocalPowerPlantManagerCapacitorFluxI' : 8131, 'MarkICompactCapacitorFluxCoil' : 8133, 'TypeDRestrainedCapacitorFluxCoil' : 8135, 'MarkIGeneratorRefittingCapacitorFlux' : 8137, 'PartialPowerPlantManagerCapacitorFlux' : 8163, 'AlphaReactorControlCapacitorFlux' : 8165, 'TypeEPowerCoreModificationCapacitorFlux' : 8167, 'MarkedGeneratorRefittingCapacitorFlux' : 8169, 'LocalPowerPlantManagerCapacityPowerRelayI' : 8171, 'BetaReactorControlCapacitorPowerRelayI' : 8173, 'TypeDRestrainedCapacitorPowerRelay' : 8175, 'MarkICompactCapacitorPowerRelay' : 8177, 'PartialPowerPlantManagerCapacityPowerRelay' : 8203, 'AlphaReactorControlCapacitorPowerRelay' : 8205, 'TypeEPowerCoreModificationCapacitorPowerRelay' : 8207, 'MarkedGeneratorRefittingCapacitorPowerRelay' : 8209, 'PartialPowerPlantManagerDiagnosticSystem' : 8211, 'AlphaReactorControlDiagnosticSystem' : 8213, 'TypeEPowerCoreModificationDiagnosticSystem' : 8215, 'MarkedGeneratorRefittingDiagnosticSystem' : 8217, 'LocalPowerPlantManagerDiagnosticSystemI' : 8219, 'BetaReactorControlDiagnosticSystemI' : 8221, 'TypeDPowerCoreModificationDiagnosticSystem' : 8223, 'MarkICompactPowerDiagnosticSystem' : 8225, 'PartialPowerPlantManagerReactionControl' : 8251, 'AlphaReactorControlReactionControl' : 8253, 'TypeEPowerCoreModificationReactionControl' : 8255, 'MarkedGeneratorRefittingReactionControl' : 8257, 'LocalPowerPlantManagerReactionControlI' : 8259, 'BetaReactorControlReactionControlI' : 8261, 'MarkICompactReactorControlUnit' : 8263, 'MarkIGeneratorRefittingReactionControl' : 8265, 'LocalPowerPlantManagerReactionShieldFluxI' : 8291, 'BetaReactorControlShieldFluxI' : 8293, 'TypeDPowerCoreModificationShieldFlux' : 8295, 'MarkIGeneratorRefittingShieldFlux' : 8297, 'PartialPowerPlantManagerShieldFlux' : 8323, 'AlphaReactorShieldFlux' : 8325, 'TypeEPowerCoreModificationShieldFlux' : 8327, 'MarkedGeneratorRefittingShieldFlux' : 8329, 'LocalPowerPlantManagerReactionShieldPowerRelayI' : 8331, 'BetaReactorControlShieldPowerRelayI' : 8333, 'TypeDPowerCoreModificationShieldPowerRelay' : 8335, 'MarkIGeneratorRefittingShieldPowerRelay' : 8337, 'PartialPowerPlantManagerShieldPowerRelay' : 8339, 'AlphaReactorShieldPowerRelay' : 8341, 'TypeEPowerCoreModificationShieldPowerRelay' : 8343, 'MarkedGeneratorRefittingShieldPowerRelay' : 8345, 'MicroSubordinateScreenStabilizerI' : 8387, 'MediumSubordinateScreenStabilizerI' : 8397, 'SmallSubordinateScreenStabilizerI' : 8401, 'LargeSubordinateScreenStabilizerI' : 8409, 'LargeAzeotropicRestrainedShieldExtender' : 8419, 'SmallAzeotropicRestrainedShieldExtender' : 8427, 'MediumAzeotropicRestrainedShieldExtender' : 8433, 'MicroAzeotropicWardSalubrityI' : 8437, 'MicroSupplementalBarrierEmitterI' : 8465, 'MediumSupplementalBarrierEmitterI' : 8477, 'SmallSupplementalBarrierEmitterI' : 8481, 'LargeSupplementalBarrierEmitterI' : 8489, 'MicroFS9RegolithShieldInduction' : 8505, 'MediumFS9RegolithCompactShieldExtender' : 8517, 'SmallFS9RegolithCompactShieldExtender' : 8521, 'LargeFS9RegolithCompactShieldExtender' : 8529, 'SmallMurkyRemoteShieldBooster' : 8531, 'SmallAtonementRemoteShieldBooster' : 8533, 'SmallAsymmetricRemoteShieldBooster' : 8535, 'SmallS95aRemoteShieldBooster' : 8537, 'MediumMurkyRemoteShieldBooster' : 8579, 'MediumAtonementRemoteShieldBooster' : 8581, 'MediumAsymmetricRemoteShieldBooster' : 8583, 'MediumS95aRemoteShieldBooster' : 8585, 'MicroMurkyRemoteShieldBooster' : 8627, 'MicroAtonementRemoteShieldBooster' : 8629, 'MicroAsymmetricRemoteShieldBooster' : 8631, 'MicroS95aRemoteShieldBooster' : 8633, 'LargeMurkyRemoteShieldBooster' : 8635, 'LargeAtonementRemoteShieldBooster' : 8637, 'LargeAsymmetricRemoteShieldBooster' : 8639, 'LargeS95aRemoteShieldBooster' : 8641, 'XLargeMurkyRemoteShieldBooster' : 8683, 'XLargeAtonementRemoteShieldBooster' : 8685, 'XLargeAsymmetricRemoteShieldBooster' : 8687, 'XLargeS95aRemoteShieldBooster' : 8689, 'NanomechanicalCPUEnhancer' : 8743, 'NanoelectricalCoProcessor' : 8744, 'PhotonicCPUEnhancer' : 8745, 'QuantumCoProcessor' : 8746, 'NanomechanicalCPUEnhancerI' : 8747, 'PhotonicUpgradedCoProcessor' : 8748, 'PhotonicCPUEnhancerI' : 8749, 'QuantumCoProcessorI' : 8750, '125mmLightScoutAutocannonI' : 8759, '125mmLightCarbineRepeatingCannonI' : 8785, '125mmLightGalliumMachineGun' : 8787, '125mmLightPrototypeAutomaticCannon' : 8789, '150mmLightScoutAutocannonI' : 8815, '150mmLightCarbineRepeatingCannonI' : 8817, '150mmLightGalliumMachineGun' : 8819, '150mmLightPrototypeAutomaticCannon' : 8821, '200mmLightScoutAutocannonI' : 8863, '200mmLightCarbineRepeatingCannonI' : 8865, '200mmLightGalliumMachineGun' : 8867, '200mmLightPrototypeAutomaticCannon' : 8869, '250mmLightScoutArtilleryI' : 8903, '250mmLightCarbineHowitzerI' : 8905, '250mmLightGalliumCannon' : 8907, '250mmLightPrototypeSiegeCannon' : 8909, 'Dual180mmScoutAutocannonI' : 9071, 'Dual180mmCarbineRepeatingCannonI' : 9073, 'Dual180mmGalliumMachineGun' : 9091, 'Dual180mmPrototypeAutomaticCannon' : 9093, '220mmMediumScoutAutocannonI' : 9127, '220mmMediumCarbineRepeatingCannonI' : 9129, '220mmMediumGalliumMachineGun' : 9131, '220mmMediumPrototypeAutomaticCannon' : 9133, '425mmMediumScoutAutocannonI' : 9135, '425mmMediumCarbineRepeatingCannonI' : 9137, '425mmMediumGalliumMachineGun' : 9139, '425mmMediumPrototypeAutomaticCannon' : 9141, '650mmMediumScoutArtilleryI' : 9207, '650mmMediumCarbineHowitzerI' : 9209, '650mmMediumGalliumCannon' : 9211, '650mmMediumPrototypeSiegeCannon' : 9213, 'Dual425mmScoutAutocannonI' : 9247, 'Dual425mmCarbineRepeatingCannonI' : 9249, 'Dual425mmGalliumMachineGun' : 9251, 'Dual425mmPrototypeAutomaticCannon' : 9253, 'Dual650mmScoutRepeatingCannonI' : 9287, 'Dual650mmCarbineRepeatingCannonI' : 9289, 'Dual650mmGalliumRepeatingCannon' : 9291, 'Dual650mmPrototypeAutomaticCannon' : 9293, '800mmHeavyScoutRepeatingCannonI' : 9327, '800mmHeavyCarbineRepeatingCannonI' : 9329, '800mmHeavyGalliumRepeatingCannon' : 9331, '800mmHeavyPrototypeAutomaticCannon' : 9333, '1200mmHeavyScoutArtilleryI' : 9367, '1200mmHeavyCarbineHowitzerI' : 9369, '1200mmHeavyGalliumCannon' : 9371, '1200mmHeavyPrototypeArtillery' : 9373, '1200mmHeavyPrototypeSiegeCannon' : 9377, '280mmScoutArtilleryI' : 9411, '280mmCarbineHowitzerI' : 9413, '280mmGalliumCannon' : 9415, '280mmPrototypeSiegeCannon' : 9417, '720mmProbeArtilleryI' : 9419, '720mmCorditeHowitzerI' : 9421, '720mmScoutArtilleryI' : 9451, '720mmCarbineHowitzerI' : 9453, '720mmGalliumCannon' : 9455, '720mmPrototypeSiegeCannon' : 9457, '1400mmScoutArtilleryI' : 9491, '1400mmCarbineHowitzerI' : 9493, '1400mmGalliumCannon' : 9495, '1400mmPrototypeSiegeCannon' : 9497, 'InitiatedIonFieldECMI' : 9518, 'FZ3SubversiveSpatialDestabilizerECM' : 9519, 'PenumbraWhiteNoiseECM' : 9520, 'InitiatedMultispectralECMI' : 9521, 'FaintPhaseInversionECMI' : 9522, 'UpgradedExplosiveDeflectionAmplifierI' : 9556, 'SupplementalEMWardAmplifier' : 9562, 'SupplementalThermicDissipationAmplifier' : 9566, 'UpgradedThermicDissipationAmplifierI' : 9568, 'SupplementalKineticDeflectionAmplifier' : 9570, 'SupplementalExplosiveDeflectionAmplifier' : 9574, 'UpgradedEMWardAmplifierI' : 9580, 'UpgradedKineticDeflectionAmplifierI' : 9582, 'LimitedKineticDeflectionFieldI' : 9608, 'LimitedAnointedEMWardField' : 9622, 'LimitedAdaptiveInvulnerabilityFieldI' : 9632, 'LimitedExplosiveDeflectionFieldI' : 9646, 'LimitedThermicDissipationFieldI' : 9660, 'LargeRudimentaryConcussionBombI' : 9668, 'SmallRudimentaryConcussionBombI' : 9670, 'LargeVehemenceShockwaveCharge' : 9678, 'SmallVehemenceShockwaveCharge' : 9680, 'MicroRudimentaryConcussionBombI' : 9702, 'MicroVehemenceShockwaveCharge' : 9706, 'MediumRudimentaryConcussionBombI' : 9728, 'MediumVehemenceShockwaveCharge' : 9734, 'SmallNotosExplosiveChargeI' : 9744, 'MicroNotosExplosiveChargeI' : 9750, 'MediumNotosExplosiveChargeI' : 9762, 'LargeNotosExplosiveChargeI' : 9772, 'SmallYF12aSmartbomb' : 9784, 'MicroYF12aSmartbomb' : 9790, 'MediumYF12aSmartbomb' : 9800, 'LargeYF12aSmartbomb' : 9808, 'PolarisInspectorFrigate' : 9854, 'PolarisCenturionTEST' : 9858, 'PolarisLegatusFrigate' : 9860, 'PolarisCenturionFrigate' : 9862, 'RepairDrone' : 9871, 'OcularFilterBasic' : 9899, 'MemoryAugmentationBasic' : 9941, 'NeuralBoostBasic' : 9942, 'CyberneticSubprocessorBasic' : 9943, 'MagneticFieldStabilizerI' : 9944, 'StandardCrashBooster' : 9947, 'StandardBluePillBooster' : 9950, 'Polaris' : 9955, 'SocialAdaptationChipBasic' : 9956, 'EifyrandCoGunslingerMotionPredictionMR703' : 9957, 'CivilianShieldBooster' : 10039, 'ImprovedCrashBooster' : 10151, 'StrongCrashBooster' : 10152, 'ImprovedBluePillBooster' : 10155, 'StrongBluePillBooster' : 10156, 'StandardSoothSayerBooster' : 10164, 'ImprovedSoothSayerBooster' : 10165, 'StrongSoothSayerBooster' : 10166, 'BasicMagneticFieldStabilizer' : 10188, 'MagneticFieldStabilizerII' : 10190, 'ZainouDeadeyeSharpshooterST903' : 10204, 'MemoryAugmentationStandard' : 10208, 'MemoryAugmentationImproved' : 10209, 'MemoryAugmentationAdvanced' : 10210, 'MemoryAugmentationElite' : 10211, 'NeuralBoostStandard' : 10212, 'NeuralBoostImproved' : 10213, 'NeuralBoostAdvanced' : 10214, 'NeuralBoostElite' : 10215, 'OcularFilterStandard' : 10216, 'OcularFilterImproved' : 10217, 'OcularFilterAdvanced' : 10218, 'OcularFilterElite' : 10219, 'CyberneticSubprocessorStandard' : 10221, 'CyberneticSubprocessorImproved' : 10222, 'CyberneticSubprocessorAdvanced' : 10223, 'CyberneticSubprocessorElite' : 10224, 'SocialAdaptationChipStandard' : 10225, 'SocialAdaptationChipImproved' : 10226, 'SocialAdaptationChipAdvanced' : 10227, 'ZainouGnomeShieldManagementSM703' : 10228, 'ZainouGypsySignatureAnalysisSA703' : 10244, 'MiningDroneI' : 10246, 'MiningDroneImproved' : 10248, 'MiningDroneII' : 10250, 'MiningDroneElite' : 10252, 'Concord' : 10264, 'RocketLauncherI' : 10629, 'RocketLauncherII' : 10631, 'CountermeasureLauncherI' : 10642, '125mmRailgunI' : 10678, '125mmRailgunII' : 10680, '125mmScoutAcceleratorCannon' : 10688, '125mmCarbideRailgunI' : 10690, '125mmCompressedCoilGunI' : 10692, '125mmPrototypeGaussGun' : 10694, 'MediumShieldBoosterI' : 10836, 'LargeShieldBoosterI' : 10838, 'XLargeShieldBoosterI' : 10840, 'XLargeShieldBoosterII' : 10842, 'MediumShieldBoosterII' : 10850, 'LargeShieldBoosterII' : 10858, 'MediumNeutronSaturationInjectorI' : 10866, 'MediumClarityWardBoosterI' : 10868, 'MediumConverseDeflectionCatalyzer' : 10870, 'MediumC5LEmergencyShieldOverloadI' : 10872, 'LargeNeutronSaturationInjectorI' : 10874, 'LargeClarityWardBoosterI' : 10876, 'LargeConverseDeflectionCatalyzer' : 10878, 'LargeC5LEmergencyShieldOverloadI' : 10880, 'XLargeNeutronSaturationInjectorI' : 10882, 'XLargeClarityWardBoosterI' : 10884, 'XLargeConverseDeflectionCatalyzer' : 10886, 'XLargeC5LEmergencyShieldOverloadI' : 10888, 'WarpCoreStabilizerI' : 10998, 'GuardianVexor' : 11011, 'CommandProcessorI' : 11014, 'Test' : 11015, 'SkirmishWarfareLinkInterdictionManeuversI' : 11017, 'Cockroach' : 11019, 'InformationWarfareLinkSensorIntegrityI' : 11052, 'JoveIndustrial' : 11075, 'JoveBattleship' : 11078, 'SmallRailgunSpecialization' : 11082, 'SmallBeamLaserSpecialization' : 11083, 'SmallAutocannonSpecialization' : 11084, 'LinearFluxStabilizerI' : 11101, 'InsulatedStabilizerArrayI' : 11103, 'MagneticVortexStabilizerI' : 11105, 'GaussFieldBalancerI' : 11107, 'LinearFluxStabilizer' : 11109, 'InsulatedStabilizerArray' : 11111, 'MagneticVortexStabilizer' : 11113, 'GaussFieldBalancer' : 11115, 'GallenteShuttle' : 11129, 'MinmatarShuttle' : 11132, 'AmarrShuttle' : 11134, 'Helios' : 11172, 'Keres' : 11174, 'Crow' : 11176, 'Raptor' : 11178, 'Cheetah' : 11182, 'Crusader' : 11184, 'Malediction' : 11186, 'Anathema' : 11188, 'Sentinel' : 11190, 'Buzzard' : 11192, 'Kitsune' : 11194, 'Claw' : 11196, 'Stiletto' : 11198, 'Taranis' : 11200, 'Ares' : 11202, 'AdvancedEnergyGridUpgrades' : 11204, 'AdvancedShieldUpgrades' : 11206, 'AdvancedWeaponUpgrades' : 11207, 'AdvancedSensorUpgrades' : 11208, 'BasicEnergizedEMMembrane' : 11215, 'EnergizedEMMembraneI' : 11217, 'EnergizedEMMembraneII' : 11219, 'BasicEnergizedExplosiveMembrane' : 11225, 'EnergizedExplosiveMembraneI' : 11227, 'EnergizedExplosiveMembraneII' : 11229, 'BasicEnergizedArmorLayeringMembrane' : 11235, 'EnergizedArmorLayeringMembraneI' : 11237, 'EnergizedArmorLayeringMembraneII' : 11239, 'BasicEnergizedKineticMembrane' : 11245, 'EnergizedKineticMembraneI' : 11247, 'EnergizedKineticMembraneII' : 11249, 'BasicEnergizedThermicMembrane' : 11255, 'EnergizedThermicMembraneI' : 11257, 'EnergizedThermicMembraneII' : 11259, 'BasicEnergizedAdaptiveNanoMembrane' : 11265, 'EnergizedAdaptiveNanoMembraneI' : 11267, 'EnergizedAdaptiveNanoMembraneII' : 11269, 'ArmorThermicHardenerI' : 11277, '1600mmSteelPlatesI' : 11279, 'CapBooster150' : 11283, 'CapBooster200' : 11285, 'CapBooster400' : 11287, 'CapBooster800' : 11289, '50mmSteelPlatesI' : 11291, '100mmSteelPlatesI' : 11293, '200mmSteelPlatesI' : 11295, '400mmSteelPlatesI' : 11297, '800mmSteelPlatesI' : 11299, 'ArmorEMHardenerI' : 11301, 'ArmorExplosiveHardenerI' : 11303, 'ArmorKineticHardenerI' : 11305, '400mmReinforcedTitaniumPlatesI' : 11307, '400mmRolledTungstenCompactPlates' : 11309, '400mmCrystallineCarbonideRestrainedPlates' : 11311, '400mmReinforcedNanofiberPlatesI' : 11313, '800mmReinforcedTitaniumPlatesI' : 11315, '800mmRolledTungstenCompactPlates' : 11317, '800mmCrystallineCarbonideRestrainedPlates' : 11319, '800mmReinforcedNanofiberPlatesI' : 11321, '1600mmReinforcedTitaniumPlatesI' : 11323, '1600mmRolledTungstenCompactPlates' : 11325, '1600mmCrystallineCarbonideRestrainedPlates' : 11327, '1600mmReinforcedNanofiberPlatesI' : 11329, '50mmReinforcedTitaniumPlatesI' : 11331, '50mmReinforcedRolledTungstenPlatesI' : 11333, '50mmReinforcedCrystallineCarbonidePlatesI' : 11335, '50mmReinforcedNanofiberPlatesI' : 11337, '100mmReinforcedTitaniumPlatesI' : 11339, '100mmRolledTungstenCompactPlates' : 11341, '100mmCrystallineCarbonideRestrainedPlates' : 11343, '100mmReinforcedNanofiberPlatesI' : 11345, '200mmReinforcedTitaniumPlatesI' : 11347, '200mmRolledTungstenCompactPlates' : 11349, '200mmCrystallineCarbonideRestrainedPlates' : 11351, '200mmReinforcedNanofiberPlatesI' : 11353, 'SmallRemoteArmorRepairerI' : 11355, 'MediumRemoteArmorRepairerI' : 11357, 'LargeRemoteArmorRepairerI' : 11359, 'Vengeance' : 11365, 'PrototypeCloakingDeviceI' : 11370, 'Wolf' : 11371, 'Blade' : 11373, 'Erinye' : 11375, 'Nemesis' : 11377, 'Hawk' : 11379, 'Harpy' : 11381, 'Gatherer' : 11383, 'Hyena' : 11387, 'Kishar' : 11389, 'Retribution' : 11393, 'DeepCoreMining' : 11395, 'Jaguar' : 11400, 'HighEnergyPhysics' : 11433, 'PlasmaPhysics' : 11441, 'NaniteEngineering' : 11442, 'HydromagneticPhysics' : 11443, 'AmarrStarshipEngineering' : 11444, 'MinmatarStarshipEngineering' : 11445, 'GravitonPhysics' : 11446, 'LaserPhysics' : 11447, 'ElectromagneticPhysics' : 11448, 'RocketScience' : 11449, 'GallenteStarshipEngineering' : 11450, 'NuclearPhysics' : 11451, 'MechanicalEngineering' : 11452, 'ElectronicEngineering' : 11453, 'CaldariStarshipEngineering' : 11454, 'QuantumPhysics' : 11455, 'AstronauticEngineering' : 11487, 'MolecularEngineering' : 11529, 'ShieldBoostAmplifierI' : 11561, 'MicroAuxiliaryPowerCoreI' : 11563, 'ThermicShieldCompensation' : 11566, 'Avatar' : 11567, 'ArmoredWarfareSpecialist' : 11569, 'SkirmishWarfareSpecialist' : 11572, 'WingCommand' : 11574, 'ImprovedCloakingDeviceII' : 11577, 'CovertOpsCloakingDeviceII' : 11578, 'Cloaking' : 11579, 'Anchoring' : 11584, 'WarpCoreStabilizerII' : 11640, 'ArmorEMHardenerII' : 11642, 'ArmorKineticHardenerII' : 11644, 'ArmorExplosiveHardenerII' : 11646, 'ArmorThermicHardenerII' : 11648, 'QACloakingDevice' : 11744, 'HypernetScience' : 11858, 'ApocalypseImperialIssue' : 11936, 'ArmageddonImperialIssue' : 11938, 'GoldMagnate' : 11940, 'SilverMagnate' : 11942, 'Falcon' : 11957, 'Rook' : 11959, 'Huginn' : 11961, 'Rapier' : 11963, 'Pilgrim' : 11965, 'Arazu' : 11969, 'Lachesis' : 11971, 'Scimitar' : 11978, 'Basilisk' : 11985, 'Guardian' : 11987, 'Oneiros' : 11989, 'Cerberus' : 11993, 'Onyx' : 11995, 'Vagabond' : 11999, 'Zealot' : 12003, 'Ishtar' : 12005, 'Eagle' : 12011, 'Broadsword' : 12013, 'Muninn' : 12015, 'Devoter' : 12017, 'Sacrilege' : 12019, 'Phobos' : 12021, 'Deimos' : 12023, 'Manticore' : 12032, 'Hound' : 12034, 'Dagger' : 12036, 'Purifier' : 12038, 'Ishkur' : 12042, 'Enyo' : 12044, '50MNMicrowarpdriveI' : 12052, '500MNMicrowarpdriveI' : 12054, '10MNAfterburnerI' : 12056, '10MNAfterburnerII' : 12058, '100MNAfterburnerI' : 12066, '100MNAfterburnerII' : 12068, '50MNMicrowarpdriveII' : 12076, '500MNMicrowarpdriveII' : 12084, 'Interceptors' : 12092, 'CovertOps' : 12093, 'AssaultFrigates' : 12095, 'Logistics' : 12096, 'Destroyers' : 12097, 'Interdictors' : 12098, 'Battlecruisers' : 12099, 'LargeRemoteCapacitorTransmitterII' : 12102, 'DeepCoreMiningLaserI' : 12108, 'ResearchProjectManagement' : 12179, 'ArkonorProcessing' : 12180, 'BistotProcessing' : 12181, 'CrokiteProcessing' : 12182, 'DarkOchreProcessing' : 12183, 'GneissProcessing' : 12184, 'HedbergiteProcessing' : 12185, 'HemorphiteProcessing' : 12186, 'JaspetProcessing' : 12187, 'KerniteProcessing' : 12188, 'MercoxitProcessing' : 12189, 'OmberProcessing' : 12190, 'PlagioclaseProcessing' : 12191, 'PyroxeresProcessing' : 12192, 'ScorditeProcessing' : 12193, 'SpodumainProcessing' : 12194, 'VeldsparProcessing' : 12195, 'ScrapmetalProcessing' : 12196, 'SmallArtillerySpecialization' : 12201, 'MediumArtillerySpecialization' : 12202, 'LargeArtillerySpecialization' : 12203, 'MediumBeamLaserSpecialization' : 12204, 'LargeBeamLaserSpecialization' : 12205, 'MediumRailgunSpecialization' : 12206, 'LargeRailgunSpecialization' : 12207, 'MediumAutocannonSpecialization' : 12208, 'LargeAutocannonSpecialization' : 12209, 'SmallBlasterSpecialization' : 12210, 'MediumBlasterSpecialization' : 12211, 'LargeBlasterSpecialization' : 12212, 'SmallPulseLaserSpecialization' : 12213, 'MediumPulseLaserSpecialization' : 12214, 'LargePulseLaserSpecialization' : 12215, 'MediumRemoteCapacitorTransmitterI' : 12217, 'CapitalRemoteCapacitorTransmitterI' : 12219, 'MediumRemoteCapacitorTransmitterII' : 12221, 'CapitalRemoteCapacitorTransmitterII' : 12223, 'LargeRemoteCapacitorTransmitterI' : 12225, 'Sovereignty' : 12241, 'MediumNosferatuI' : 12257, 'MediumNosferatuII' : 12259, 'HeavyNosferatuI' : 12261, 'HeavyNosferatuII' : 12263, 'MediumEnergyNeutralizerI' : 12265, 'MediumEnergyNeutralizerII' : 12267, 'HeavyEnergyNeutralizerI' : 12269, 'HeavyEnergyNeutralizerII' : 12271, 'BallisticControlSystemI' : 12274, 'DroneNavigation' : 12305, '200mmRailgunI' : 12344, '200mmRailgunII' : 12346, '350mmRailgunI' : 12354, '350mmRailgunII' : 12356, 'EMShieldCompensation' : 12365, 'KineticShieldCompensation' : 12366, 'ExplosiveShieldCompensation' : 12367, 'HypereuclideanNavigation' : 12368, 'MissileBombardment' : 12441, 'MissileProjection' : 12442, 'AmarrDroneSpecialization' : 12484, 'MinmatarDroneSpecialization' : 12485, 'GallenteDroneSpecialization' : 12486, 'CaldariDroneSpecialization' : 12487, 'LuxS' : 12552, 'GleamS' : 12557, 'AuroraS' : 12559, 'BlazeS' : 12561, 'ScorchS' : 12563, 'ConflagrationS' : 12565, 'BHShipScanner' : 12604, 'HailS' : 12608, 'DesolationS' : 12610, 'VoidS' : 12612, 'NullS' : 12614, 'BoltS' : 12616, 'SpikeS' : 12618, 'JavelinS' : 12620, 'BarrageS' : 12625, 'StormS' : 12627, 'ShockS' : 12629, 'QuakeS' : 12631, 'TremorS' : 12633, 'TargetPainterI' : 12709, 'SmallActiveStealthSystemI' : 12711, 'MediumActiveStealthSystemI' : 12713, 'LargeActiveStealthSystemI' : 12715, 'HugeActiveStealthSystemI' : 12717, 'Crane' : 12729, 'Bustard' : 12731, 'Prorator' : 12733, 'Prowler' : 12735, 'Viator' : 12743, 'Occator' : 12745, 'Mastodon' : 12747, 'Impel' : 12753, 'QuakeL' : 12761, 'ShockL' : 12763, 'TremorL' : 12765, 'QuakeM' : 12767, 'ShockM' : 12769, 'TremorM' : 12771, 'BarrageM' : 12773, 'BarrageL' : 12775, 'HailM' : 12777, 'HailL' : 12779, 'StormM' : 12781, 'StormL' : 12783, 'NullM' : 12785, 'NullL' : 12787, 'VoidM' : 12789, 'VoidL' : 12791, 'DesolationM' : 12793, 'DesolationL' : 12795, 'BoltM' : 12797, 'BoltL' : 12799, 'JavelinM' : 12801, 'JavelinL' : 12803, 'SpikeM' : 12805, 'SpikeL' : 12807, 'BlazeM' : 12810, 'BlazeL' : 12812, 'ConflagrationM' : 12814, 'ConflagrationL' : 12816, 'ScorchM' : 12818, 'ScorchL' : 12820, 'AuroraM' : 12822, 'AuroraL' : 12824, 'GleamM' : 12826, 'GleamL' : 12828, 'LuxM' : 12830, 'LuxL' : 12832, 'GeneralFreight' : 12834, 'SmallNosferatuII' : 13001, 'SmallEnergyNeutralizerII' : 13003, 'StarshipFreight' : 13069, 'MineralFreight' : 13070, 'MunitionsFreight' : 13071, 'DroneFreight' : 13072, 'RawMaterialFreight' : 13073, 'ConsumableFreight' : 13074, 'HazardousMaterialFreight' : 13075, 'MjolnirJavelinRocket' : 13119, 'InherentImplantsLancerGunneryRF903' : 13166, 'MegathronFederateIssue' : 13202, 'ArmoredWarfareMindlink' : 13209, 'ZainouGypsyCPUManagementEE603' : 13216, 'InherentImplantsLancerLargeEnergyTurretLE1003' : 13217, 'ZainouDeadeyeLargeHybridTurretLH1003' : 13218, 'EifyrandCoGunslingerLargeProjectileTurretLP1003' : 13219, 'InherentImplantsLancerMediumEnergyTurretME803' : 13220, 'ZainouDeadeyeMediumHybridTurretMH803' : 13221, 'EifyrandCoGunslingerMediumProjectileTurretMP803' : 13222, 'InherentImplantsLancerSmallEnergyTurretSE603' : 13223, 'ZainouDeadeyeSmallHybridTurretSH603' : 13224, 'EifyrandCoGunslingerSmallProjectileTurretSP603' : 13225, 'ZainouSnapshotCruiseMissilesCM603' : 13226, 'ZainouSnapshotDefenderMissilesDM803' : 13227, 'ZainouSnapshotFOFExplosionRadiusFR1003' : 13228, 'ZainouSnapshotHeavyMissilesHM703' : 13229, 'ZainouSnapshotRocketsRD903' : 13230, 'ZainouSnapshotTorpedoesTD603' : 13231, 'ZainouGypsyElectronicWarfareEW903' : 13232, 'ZainouGypsyLongRangeTargetingLT803' : 13233, 'ZainouGypsyPropulsionJammingPJ803' : 13234, 'ZainouGypsySensorLinkingSL903' : 13235, 'ZainouGypsyWeaponDisruptionWD903' : 13236, 'EifyrandCoRogueNavigationNN603' : 13237, 'EifyrandCoRogueFuelConservationFC803' : 13238, 'EifyrandCoRogueAfterburnerAB606' : 13239, 'EifyrandCoRogueEvasiveManeuveringEM703' : 13240, 'EifyrandCoRogueWarpDriveOperationWD606' : 13241, 'EifyrandCoRogueWarpDriveSpeedWS610' : 13242, 'EifyrandCoRogueHighSpeedManeuveringHS903' : 13243, 'EifyrandCoGunslingerSurgicalStrikeSS903' : 13244, 'ZainouDeadeyeTrajectoryAnalysisTA703' : 13245, 'InherentImplantsLancerControlledBurstsCB703' : 13246, 'ZainouDeadeyeMissileBombardmentMB703' : 13247, 'ZainouDeadeyeMissileProjectionMP703' : 13248, 'ZainouDeadeyeRapidLaunchRL1003' : 13249, 'ZainouDeadeyeTargetNavigationPredictionTN903' : 13250, 'InherentImplantsSquireEnergyPulseWeaponsEP703' : 13251, 'ZainouGnomeWeaponUpgradesWU1003' : 13252, 'ZainouGnomeShieldUpgradesSU603' : 13253, 'ZainouGypsyElectronicsUpgradesEU603' : 13254, 'InherentImplantsSquireEnergyGridUpgradesEU703' : 13255, 'InherentImplantsNobleHullUpgradesHG1003' : 13256, 'InherentImplantsNobleMechanicMC803' : 13257, 'InherentImplantsNobleRepairSystemsRS603' : 13258, 'InherentImplantsSquireCapacitorManagementEM803' : 13259, 'InherentImplantsSquireCapacitorSystemsOperationEO603' : 13260, 'InherentImplantsSquirePowerGridManagementEG603' : 13261, 'ZainouGnomeShieldEmissionSystemsSE803' : 13262, 'ZainouGnomeShieldOperationSP903' : 13263, 'InherentImplantsSquireCapacitorEmissionSystemsES703' : 13265, 'Archaeology' : 13278, 'RemoteSensing' : 13279, 'LimitedOcularFilter' : 13283, 'LimitedMemoryAugmentation' : 13284, 'LimitedNeuralBoost' : 13285, 'LimitedSocialAdaptationChip' : 13286, 'LimitedCyberneticSubprocessor' : 13287, 'CruiseMissileLauncherI' : 13320, 'Domination125mmAutocannon' : 13773, 'Domination1200mmArtillery' : 13774, 'Domination1400mmHowitzerArtillery' : 13775, 'Domination150mmAutocannon' : 13776, 'Domination200mmAutocannon' : 13777, 'Domination220mmAutocannon' : 13778, 'Domination250mmArtillery' : 13779, 'Domination280mmHowitzerArtillery' : 13781, 'Domination425mmAutocannon' : 13782, 'Domination650mmArtillery' : 13783, 'Domination720mmHowitzerArtillery' : 13784, 'Domination800mmRepeatingCannon' : 13785, 'DominationDual180mmAutocannon' : 13786, 'DominationDual425mmAutocannon' : 13787, 'DominationDual650mmRepeatingCannon' : 13788, 'DarkBloodDualHeavyPulseLaser' : 13791, 'DarkBloodDualHeavyBeamLaser' : 13793, 'DarkBloodDualLightBeamLaser' : 13795, 'DarkBloodDualLightPulseLaser' : 13797, 'DarkBloodFocusedMediumBeamLaser' : 13799, 'DarkBloodFocusedMediumPulseLaser' : 13801, 'DarkBloodGatlingPulseLaser' : 13803, 'DarkBloodHeavyBeamLaser' : 13805, 'DarkBloodHeavyPulseLaser' : 13807, 'DarkBloodSmallFocusedBeamLaser' : 13809, 'DarkBloodSmallFocusedPulseLaser' : 13811, 'DarkBloodMegaBeamLaser' : 13813, 'DarkBloodMegaPulseLaser' : 13815, 'DarkBloodTachyonBeamLaser' : 13817, 'DarkBloodQuadBeamLaser' : 13819, 'TrueSanshaDualHeavyBeamLaser' : 13820, 'TrueSanshaDualHeavyPulseLaser' : 13821, 'TrueSanshaDualLightBeamLaser' : 13822, 'TrueSanshaDualLightPulseLaser' : 13823, 'TrueSanshaFocusedMediumBeamLaser' : 13824, 'TrueSanshaFocusedMediumPulseLaser' : 13825, 'TrueSanshaGatlingPulseLaser' : 13826, 'TrueSanshaHeavyBeamLaser' : 13827, 'TrueSanshaHeavyPulseLaser' : 13828, 'TrueSanshaSmallFocusedBeamLaser' : 13829, 'TrueSanshaSmallFocusedPulseLaser' : 13830, 'TrueSanshaMegaBeamLaser' : 13831, 'TrueSanshaMegaPulseLaser' : 13832, 'TrueSanshaQuadBeamLaser' : 13833, 'TrueSanshaTachyonBeamLaser' : 13834, 'NovaJavelinHeavyAssaultMissile' : 13856, 'ShadowSerpentis125mmRailgun' : 13864, 'DreadGuristas125mmRailgun' : 13865, 'ShadowSerpentis150mmRailgun' : 13866, 'DreadGuristas150mmRailgun' : 13867, 'ShadowSerpentis200mmRailgun' : 13868, 'DreadGuristas200mmRailgun' : 13870, 'ShadowSerpentis250mmRailgun' : 13872, 'DreadGuristas250mmRailgun' : 13873, 'ShadowSerpentis350mmRailgun' : 13874, 'DreadGuristas350mmRailgun' : 13876, 'ShadowSerpentis425mmRailgun' : 13878, 'DreadGuristas425mmRailgun' : 13879, 'ShadowSerpentisDual150mmRailgun' : 13880, 'DreadGuristasDual150mmRailgun' : 13881, 'ShadowSerpentisDual250mmRailgun' : 13882, 'DreadGuristasDual250mmRailgun' : 13883, 'ShadowSerpentisHeavyElectronBlaster' : 13884, 'ShadowSerpentisHeavyIonBlaster' : 13885, 'ShadowSerpentisLightElectronBlaster' : 13886, 'ShadowSerpentisLightIonBlaster' : 13887, 'ShadowSerpentisLightNeutronBlaster' : 13888, 'ShadowSerpentisElectronBlasterCannon' : 13889, 'ShadowSerpentisIonBlasterCannon' : 13890, 'ShadowSerpentisNeutronBlasterCannon' : 13891, 'ShadowSerpentisHeavyNeutronBlaster' : 13892, 'DreadGuristas75mmRailgun' : 13893, 'ShadowSerpentis75mmRailgun' : 13894, 'DominationRapidLightMissileLauncher' : 13919, 'DreadGuristasRapidLightMissileLauncher' : 13920, 'DominationHeavyMissileLauncher' : 13921, 'DreadGuristasHeavyMissileLauncher' : 13922, 'DominationTorpedoLauncher' : 13923, 'DreadGuristasTorpedoLauncher' : 13924, 'DominationLightMissileLauncher' : 13925, 'DreadGuristasLightMissileLauncher' : 13926, 'DominationCruiseMissileLauncher' : 13927, 'DreadGuristasCruiseMissileLauncher' : 13929, 'DominationRocketLauncher' : 13931, 'DreadGuristasRocketLauncher' : 13933, 'DominationBallisticControlSystem' : 13935, 'DreadGuristasBallisticControlSystem' : 13937, 'DominationGyrostabilizer' : 13939, 'DarkBloodHeatSink' : 13941, 'TrueSanshaHeatSink' : 13943, 'ShadowSerpentisMagneticFieldStabilizer' : 13945, 'DreadGuristasLargeShieldBooster' : 13947, 'DominationLargeShieldBooster' : 13948, 'DreadGuristasMediumShieldBooster' : 13949, 'DominationMediumShieldBooster' : 13950, 'DreadGuristasSmallShieldBooster' : 13951, 'DominationSmallShieldBooster' : 13952, 'DreadGuristasXLargeShieldBooster' : 13953, 'DominationXLargeShieldBooster' : 13954, 'DominationLargeArmorRepairer' : 13955, 'TrueSanshaLargeArmorRepairer' : 13956, 'DarkBloodLargeArmorRepairer' : 13957, 'DominationMediumArmorRepairer' : 13958, 'TrueSanshaMediumArmorRepairer' : 13959, 'DarkBloodMediumArmorRepairer' : 13960, 'DominationSmallArmorRepairer' : 13962, 'TrueSanshaSmallArmorRepairer' : 13963, 'DarkBloodSmallArmorRepairer' : 13964, 'DreadGuristasEMWardField' : 13965, 'DreadGuristasThermicDissipationField' : 13966, 'DreadGuristasExplosiveDeflectionField' : 13967, 'DreadGuristasKineticDeflectionField' : 13968, 'DreadGuristasAdaptiveInvulnerabilityField' : 13969, 'TrueSanshaArmorEMHardener' : 13970, 'DarkBloodArmorEMHardener' : 13972, 'TrueSanshaArmorExplosiveHardener' : 13974, 'DarkBloodArmorExplosiveHardener' : 13976, 'TrueSanshaArmorKineticHardener' : 13978, 'DarkBloodArmorKineticHardener' : 13980, 'TrueSanshaArmorThermicHardener' : 13982, 'DarkBloodArmorThermicHardener' : 13984, 'DominationArmorEMHardener' : 13986, 'DominationArmorExplosiveHardener' : 13988, 'DominationArmorKineticHardener' : 13990, 'DominationArmorThermicHardener' : 13992, 'DominationEMWardField' : 13994, 'DominationThermicDissipationField' : 13995, 'DominationExplosiveDeflectionField' : 13996, 'DominationKineticDeflectionField' : 13997, 'DominationAdaptiveInvulnerabilityField' : 13998, 'DominationAdaptiveNanoPlating' : 13999, 'TrueSanshaAdaptiveNanoPlating' : 14001, 'DarkBloodAdaptiveNanoPlating' : 14003, 'DominationKineticPlating' : 14005, 'TrueSanshaKineticPlating' : 14007, 'DarkBloodKineticPlating' : 14009, 'DominationExplosivePlating' : 14011, 'TrueSanshaExplosivePlating' : 14013, 'DarkBloodExplosivePlating' : 14015, 'DominationEMPlating' : 14017, 'TrueSanshaEMPlating' : 14019, 'DarkBloodEMPlating' : 14021, 'DominationThermicPlating' : 14023, 'TrueSanshaThermicPlating' : 14025, 'DarkBloodThermicPlating' : 14027, 'DominationExplosiveDeflectionAmplifier' : 14029, 'DreadGuristasExplosiveDeflectionAmplifier' : 14031, 'DominationThermicDissipationAmplifier' : 14033, 'DreadGuristasThermicDissipationAmplifier' : 14035, 'DominationKineticDeflectionAmplifier' : 14037, 'DreadGuristasKineticDeflectionAmplifier' : 14039, 'DominationEMWardAmplifier' : 14041, 'DreadGuristasEMWardAmplifier' : 14043, 'DominationShieldBoostAmplifier' : 14045, 'DreadGuristasShieldBoostAmplifier' : 14047, 'ShadowSerpentisAdaptiveNanoPlating' : 14049, 'ShadowSerpentisKineticPlating' : 14051, 'ShadowSerpentisExplosivePlating' : 14053, 'ShadowSerpentisEMPlating' : 14055, 'ShadowSerpentisThermicPlating' : 14057, 'ShadowSerpentisArmorEMHardener' : 14059, 'ShadowSerpentisArmorExplosiveHardener' : 14061, 'ShadowSerpentisArmorKineticHardener' : 14063, 'ShadowSerpentisArmorThermicHardener' : 14065, 'ShadowSerpentisLargeArmorRepairer' : 14067, 'ShadowSerpentisMediumArmorRepairer' : 14068, 'ShadowSerpentisSmallArmorRepairer' : 14069, 'DarkBloodEnergizedAdaptiveNanoMembrane' : 14070, 'TrueSanshaEnergizedAdaptiveNanoMembrane' : 14072, 'ShadowSerpentisEnergizedAdaptiveNanoMembrane' : 14074, 'DarkBloodEnergizedKineticMembrane' : 14076, 'TrueSanshaEnergizedKineticMembrane' : 14078, 'ShadowSerpentisEnergizedKineticMembrane' : 14080, 'DarkBloodEnergizedExplosiveMembrane' : 14082, 'TrueSanshaEnergizedExplosiveMembrane' : 14084, 'ShadowSerpentisEnergizedExplosiveMembrane' : 14086, 'DarkBloodEnergizedEMMembrane' : 14088, 'TrueSanshaEnergizedEMMembrane' : 14090, 'ShadowSerpentisEnergizedEMMembrane' : 14092, 'DarkBloodEnergizedThermicMembrane' : 14094, 'TrueSanshaEnergizedThermicMembrane' : 14096, 'ShadowSerpentisEnergizedThermicMembrane' : 14098, 'DominationTrackingEnhancer' : 14100, 'Domination100MNAfterburner' : 14102, 'ShadowSerpentis100MNAfterburner' : 14104, 'Domination10MNAfterburner' : 14106, 'ShadowSerpentis10MNAfterburner' : 14108, 'Domination1MNAfterburner' : 14110, 'ShadowSerpentis1MNAfterburner' : 14112, 'Domination500MNMicrowarpdrive' : 14114, 'ShadowSerpentis500MNMicrowarpdrive' : 14116, 'Domination50MNMicrowarpdrive' : 14118, 'ShadowSerpentis50MNMicrowarpdrive' : 14120, 'Domination5MNMicrowarpdrive' : 14122, 'ShadowSerpentis5MNMicrowarpdrive' : 14124, 'DominationOverdriveInjector' : 14126, 'DominationNanofiberStructure' : 14127, 'DarkBloodReactorControlUnit' : 14128, 'TrueSanshaReactorControlUnit' : 14130, 'ShadowSerpentisReactorControlUnit' : 14132, 'DarkBloodPowerDiagnosticSystem' : 14134, 'TrueSanshaPowerDiagnosticSystem' : 14136, 'ShadowSerpentisPowerDiagnosticSystem' : 14138, 'TrueSanshaCapRecharger' : 14140, 'DarkBloodCapRecharger' : 14142, 'DarkBloodCapacitorPowerRelay' : 14144, 'TrueSanshaCapacitorPowerRelay' : 14146, 'DarkBloodSmallNosferatu' : 14148, 'TrueSanshaSmallNosferatu' : 14150, 'DarkBloodHeavyNosferatu' : 14152, 'TrueSanshaHeavyNosferatu' : 14154, 'DarkBloodMediumNosferatu' : 14156, 'TrueSanshaMediumNosferatu' : 14158, 'DarkBloodSmallEnergyNeutralizer' : 14160, 'TrueSanshaSmallEnergyNeutralizer' : 14162, 'DarkBloodMediumEnergyNeutralizer' : 14164, 'TrueSanshaMediumEnergyNeutralizer' : 14166, 'DarkBloodHeavyEnergyNeutralizer' : 14168, 'TrueSanshaHeavyEnergyNeutralizer' : 14170, 'DarkBloodHeavyCapacitorBooster' : 14172, 'TrueSanshaHeavyCapacitorBooster' : 14174, 'DarkBloodMediumCapacitorBooster' : 14176, 'TrueSanshaMediumCapacitorBooster' : 14178, 'DarkBloodMicroCapacitorBooster' : 14180, 'TrueSanshaMicroCapacitorBooster' : 14182, 'DarkBloodSmallCapacitorBooster' : 14184, 'TrueSanshaSmallCapacitorBooster' : 14186, 'DarkBloodLargeEMPSmartbomb' : 14188, 'TrueSanshaLargeEMPSmartbomb' : 14190, 'DarkBloodMediumEMPSmartbomb' : 14192, 'TrueSanshaMediumEMPSmartbomb' : 14194, 'DarkBloodMicroEMPSmartbomb' : 14196, 'TrueSanshaMicroEMPSmartbomb' : 14198, 'DarkBloodSmallEMPSmartbomb' : 14200, 'TrueSanshaSmallEMPSmartbomb' : 14202, 'DreadGuristasLargeGravitonSmartbomb' : 14204, 'ShadowSerpentisLargePlasmaSmartbomb' : 14206, 'DominationLargeProtonSmartbomb' : 14208, 'DreadGuristasMediumGravitonSmartbomb' : 14210, 'DreadGuristasMicroGravitonSmartbomb' : 14212, 'DreadGuristasSmallGravitonSmartbomb' : 14214, 'ShadowSerpentisMicroPlasmaSmartbomb' : 14218, 'ShadowSerpentisMediumPlasmaSmartbomb' : 14220, 'DominationMediumProtonSmartbomb' : 14222, 'DominationMicroProtonSmartbomb' : 14224, 'DominationSmallProtonSmartbomb' : 14226, 'ShadowSerpentisSmallPlasmaSmartbomb' : 14228, 'DreadGuristasCoProcessor' : 14230, 'ShadowSerpentisCoProcessor' : 14232, 'DreadGuristasCloakingDevice' : 14234, 'ShadowSerpentisSensorBooster' : 14236, 'ShadowSerpentisTrackingComputer' : 14238, 'ShadowSerpentisRemoteTrackingComputer' : 14240, 'DarkBloodWarpDisruptor' : 14242, 'DominationWarpDisruptor' : 14244, 'DreadGuristasWarpDisruptor' : 14246, 'TrueSanshaWarpDisruptor' : 14248, 'ShadowSerpentisWarpDisruptor' : 14250, 'DarkBloodWarpScrambler' : 14252, 'DominationWarpScrambler' : 14254, 'DreadGuristasWarpScrambler' : 14256, 'TrueSanshaWarpScrambler' : 14258, 'ShadowSerpentisWarpScrambler' : 14260, 'DarkBloodStasisWebifier' : 14262, 'DominationStasisWebifier' : 14264, 'DreadGuristasStasisWebifier' : 14266, 'TrueSanshaStasisWebifier' : 14268, 'ShadowSerpentisStasisWebifier' : 14270, '200mmCarbideRailgunI' : 14272, '200mmScoutAcceleratorCannon' : 14274, '200mmCompressedCoilGunI' : 14276, '200mmPrototypeGaussGun' : 14278, '350mmCarbideRailgunI' : 14280, '350mmScoutAcceleratorCannon' : 14282, '350mmCompressedCoilGunI' : 14284, '350mmPrototypeGaussGun' : 14286, 'LimitedOcularFilterBeta' : 14295, 'LimitedNeuralBoostBeta' : 14296, 'LimitedMemoryAugmentationBeta' : 14297, 'LimitedCyberneticSubprocessorBeta' : 14298, 'LimitedSocialAdaptationChipBeta' : 14299, 'TuvansModifiedElectronBlasterCannon' : 14375, 'CormacksModifiedElectronBlasterCannon' : 14377, 'CormacksModifiedIonBlasterCannon' : 14379, 'TuvansModifiedIonBlasterCannon' : 14381, 'TuvansModifiedNeutronBlasterCannon' : 14383, 'CormacksModifiedNeutronBlasterCannon' : 14385, 'BrynnsModified350mmRailgun' : 14387, 'SetelesModified350mmRailgun' : 14389, 'KaikkasModified350mmRailgun' : 14391, 'VepasModified350mmRailgun' : 14393, 'EstamelsModified350mmRailgun' : 14395, 'BrynnsModified425mmRailgun' : 14397, 'SetelesModified425mmRailgun' : 14399, 'KaikkasModified425mmRailgun' : 14401, 'VepasModified425mmRailgun' : 14403, 'EstamelsModified425mmRailgun' : 14405, 'BrynnsModifiedDual250mmRailgun' : 14407, 'SetelesModifiedDual250mmRailgun' : 14409, 'KaikkasModifiedDual250mmRailgun' : 14411, 'VepasModifiedDual250mmRailgun' : 14413, 'EstamelsModifiedDual250mmRailgun' : 14415, 'SelynnesModifiedDualHeavyBeamLaser' : 14417, 'ChelmsModifiedDualHeavyBeamLaser' : 14419, 'RayseresModifiedDualHeavyBeamLaser' : 14421, 'DraclirasModifiedDualHeavyBeamLaser' : 14423, 'TaireisModifiedDualHeavyPulseLaser' : 14425, 'AhremensModifiedDualHeavyPulseLaser' : 14427, 'BrokarasModifiedDualHeavyPulseLaser' : 14429, 'VizansModifiedDualHeavyPulseLaser' : 14431, 'SelynnesModifiedMegaBeamLaser' : 14433, 'ChelmsModifiedMegaBeamLaser' : 14435, 'RayseresModifiedMegaBeamLaser' : 14437, 'DraclirasModifiedMegaBeamLaser' : 14439, 'TaireisModifiedMegaPulseLaser' : 14441, 'AhremensModifiedMegaPulseLaser' : 14443, 'BrokarasModifiedMegaPulseLaser' : 14445, 'VizansModifiedMegaPulseLaser' : 14447, 'SelynnesModifiedTachyonBeamLaser' : 14449, 'ChelmsModifiedTachyonBeamLaser' : 14451, 'RayseresModifiedTachyonBeamLaser' : 14453, 'DraclirasModifiedTachyonBeamLaser' : 14455, 'MizurosModified800mmRepeatingCannon' : 14457, 'GotansModified800mmRepeatingCannon' : 14459, 'HakimsModified1200mmArtilleryCannon' : 14461, 'TobiasModified1200mmArtilleryCannon' : 14463, 'HakimsModified1400mmHowitzerArtillery' : 14465, 'TobiasModified1400mmHowitzerArtillery' : 14467, 'MizurosModifiedDual425mmAutoCannon' : 14469, 'GotansModifiedDual425mmAutoCannon' : 14471, 'MizurosModifiedDual650mmRepeatingCannon' : 14473, 'GotansModifiedDual650mmRepeatingCannon' : 14475, 'MizurosModified100MNAfterburner' : 14484, 'HakimsModified100MNAfterburner' : 14486, 'GotansModified100MNAfterburner' : 14488, 'TobiasModified100MNAfterburner' : 14490, 'MizurosModified500MNMicrowarpdrive' : 14492, 'HakimsModified500MNMicrowarpdrive' : 14494, 'GotansModified500MNMicrowarpdrive' : 14496, 'TobiasModified500MNMicrowarpdrive' : 14498, 'BrynnsModified100MNAfterburner' : 14500, 'TuvansModified100MNAfterburner' : 14502, 'SetelesModified100MNAfterburner' : 14504, 'CormacksModified100MNAfterburner' : 14506, 'BrynnsModified500MNMicrowarpdrive' : 14508, 'TuvansModified500MNMicrowarpdrive' : 14510, 'SetelesModified500MNMicrowarpdrive' : 14512, 'CormacksModified500MNMicrowarpdrive' : 14514, 'MizurosModifiedCruiseMissileLauncher' : 14516, 'HakimsModifiedCruiseMissileLauncher' : 14518, 'GotansModifiedCruiseMissileLauncher' : 14520, 'TobiasModifiedCruiseMissileLauncher' : 14522, 'MizurosModifiedTorpedoLauncher' : 14524, 'HakimsModifiedTorpedoLauncher' : 14525, 'GotansModifiedTorpedoLauncher' : 14526, 'TobiassModifiedTorpedoLauncher' : 14527, 'HakimsModifiedBallisticControlSystem' : 14528, 'MizurosModifiedBallisticControlSystem' : 14530, 'GotansModifiedBallisticControlSystem' : 14532, 'TobiasModifiedBallisticControlSystem' : 14534, 'MizurosModifiedGyrostabilizer' : 14536, 'HakimsModifiedGyrostabilizer' : 14538, 'GotansModifiedGyrostabilizer' : 14540, 'TobiasModifiedGyrostabilizer' : 14542, 'MizurosModifiedLargeProtonSmartbomb' : 14544, 'HakimsModifiedLargeProtonSmartbomb' : 14546, 'GotansModifiedLargeProtonSmartbomb' : 14548, 'TobiasModifiedLargeProtonSmartbomb' : 14550, 'MizurosModifiedLargeArmorRepairer' : 14552, 'GotansModifiedLargeArmorRepairer' : 14554, 'MizurosModifiedAdaptiveNanoPlating' : 14556, 'GotansModifiedAdaptiveNanoPlating' : 14560, 'MizurosModifiedKineticPlating' : 14564, 'GotansModifiedKineticPlating' : 14568, 'MizurosModifiedExplosivePlating' : 14572, 'GotansModifiedExplosivePlating' : 14576, 'MizurosModifiedEMPlating' : 14580, 'GotansModifiedEMPlating' : 14584, 'MizurosModifiedThermicPlating' : 14588, 'GotansModifiedThermicPlating' : 14592, 'HakimsModifiedLargeShieldBooster' : 14597, 'TobiasModifiedLargeShieldBooster' : 14599, 'HakimsModifiedXLargeShieldBooster' : 14601, 'TobiasModifiedXLargeShieldBooster' : 14603, 'HakimsModifiedExplosiveDeflectionAmplifier' : 14606, 'TobiasModifiedExplosiveDeflectionAmplifier' : 14610, 'HakimsModifiedThermicDissipationAmplifier' : 14614, 'TobiasModifiedThermicDissipationAmplifier' : 14618, 'HakimsModifiedKineticDeflectionAmplifier' : 14622, 'TobiasModifiedKineticDeflectionAmplifier' : 14626, 'HakimsModifiedEMWardAmplifier' : 14630, 'TobiasModifiedEMWardAmplifier' : 14634, 'HakimsModifiedShieldBoostAmplifier' : 14636, 'TobiasModifiedShieldBoostAmplifier' : 14638, 'MizurosModifiedTrackingEnhancer' : 14640, 'HakimsModifiedTrackingEnhancer' : 14642, 'GotansModifiedTrackingEnhancer' : 14644, 'TobiasModifiedTrackingEnhancer' : 14646, 'MizurosModifiedStasisWebifier' : 14648, 'HakimsModifiedStasisWebifier' : 14650, 'GotansModifiedStasisWebifier' : 14652, 'TobiasModifiedStasisWebifier' : 14654, 'MizurosModifiedWarpDisruptor' : 14656, 'HakimsModifiedWarpDisruptor' : 14658, 'GotansModifiedWarpDisruptor' : 14660, 'TobiasModifiedWarpDisruptor' : 14662, 'MizurosModifiedWarpScrambler' : 14664, 'HakimsModifiedWarpScrambler' : 14666, 'GotansModifiedWarpScrambler' : 14668, 'TobiasModifiedWarpScrambler' : 14670, 'KaikkasModifiedCruiseMissileLauncher' : 14672, 'ThonsModifiedCruiseMissileLauncher' : 14674, 'VepasModifiedCruiseMissileLauncher' : 14676, 'EstamelsModifiedCruiseMissileLauncher' : 14678, 'KaikkasModifiedTorpedoLauncher' : 14680, 'ThonsModifiedTorpedoLauncher' : 14681, 'VepassModifiedTorpedoLauncher' : 14682, 'EstamelsModifiedTorpedoLauncher' : 14683, 'KaikkasModifiedBallisticControlSystem' : 14684, 'ThonsModifiedBallisticControlSystem' : 14686, 'VepasModifiedBallisticControlSystem' : 14688, 'EstamelsModifiedBallisticControlSystem' : 14690, 'KaikkasModifiedLargeGravitonSmartbomb' : 14692, 'ThonsModifiedLargeGravitonSmartbomb' : 14694, 'VepasModifiedLargeGravitonSmartbomb' : 14696, 'EstamelsModifiedLargeGravitonSmartbomb' : 14698, 'KaikkasModifiedLargeShieldBooster' : 14700, 'ThonsModifiedLargeShieldBooster' : 14701, 'VepasModifiedLargeShieldBooster' : 14702, 'EstamelsModifiedLargeShieldBooster' : 14703, 'KaikkasModifiedXLargeShieldBooster' : 14704, 'ThonsModifiedXLargeShieldBooster' : 14705, 'VepasModifiedXLargeShieldBooster' : 14706, 'EstamelsModifiedXLargeShieldBooster' : 14707, 'KaikkasModifiedShieldBoostAmplifier' : 14708, 'ThonsModifiedShieldBoostAmplifier' : 14710, 'VepasModifiedShieldBoostAmplifier' : 14712, 'EstamelsModifiedShieldBoostAmplifier' : 14714, 'KaikkasModifiedExplosiveDeflectionAmplifier' : 14716, 'ThonsModifiedExplosiveDeflectionAmplifier' : 14718, 'VepasModifiedExplosiveDeflectionAmplifier' : 14720, 'EstamelsModifiedExplosiveDeflectionAmplifier' : 14722, 'KaikkasModifiedThermicDissipationAmplifier' : 14724, 'ThonsModifiedThermicDissipationAmplifier' : 14726, 'VepasModifiedThermicDissipationAmplifier' : 14728, 'EstamelsModifiedThermicDissipationAmplifier' : 14730, 'KaikkasModifiedKineticDeflectionAmplifier' : 14732, 'ThonsModifiedKineticDeflectionAmplifier' : 14734, 'VepasModifiedKineticDeflectionAmplifier' : 14736, 'EstamelsModifiedKineticDeflectionAmplifier' : 14738, 'KaikkasModifiedEMWardAmplifier' : 14740, 'ThonsModifiedEMWardAmplifier' : 14742, 'VepasModifiedEMWardAmplifier' : 14744, 'EstamelsModifiedEMWardAmplifier' : 14746, 'KaikkasModifiedKineticDeflectionField' : 14748, 'ThonsModifiedKineticDeflectionField' : 14749, 'VepassModifiedKineticDeflectionField' : 14750, 'EstamelsModifiedKineticDeflectionField' : 14751, 'KaikkasModifiedEMWardField' : 14752, 'ThonsModifiedEMWardField' : 14753, 'VepassModifiedEMWardField' : 14754, 'EstamelsModifiedEMWardField' : 14755, 'KaikkasModifiedExplosiveDeflectionField' : 14756, 'ThonsModifiedExplosiveDeflectionField' : 14757, 'VepassModifiedExplosiveDeflectionField' : 14758, 'EstamelsModifiedExplosiveDeflectionField' : 14759, 'KaikkasModifiedThermicDissipationField' : 14760, 'ThonsModifiedThermicDissipationField' : 14761, 'VepassModifiedThermicDissipationField' : 14762, 'EstamelsModifiedThermicDissipationField' : 14763, 'KaikkasModifiedAdaptiveInvulnerabilityField' : 14764, 'ThonsModifiedAdaptiveInvulnerabilityField' : 14765, 'VepassModifiedAdaptiveInvulnerabilityField' : 14766, 'EstamelsModifiedAdaptiveInvulnerabilityField' : 14767, 'KaikkasModifiedCoProcessor' : 14768, 'ThonsModifiedCoProcessor' : 14770, 'VepasModifiedCoProcessor' : 14772, 'EstamelsModifiedCoProcessor' : 14774, 'KaikkasModifiedCloakingDevice' : 14776, 'ThonsModifiedCloakingDevice' : 14778, 'VepasModifiedCloakingDevice' : 14780, 'EstamelsModifiedCloakingDevice' : 14782, 'BrokarasModifiedLargeEMPSmartbomb' : 14784, 'TaireisModifiedLargeEMPSmartbomb' : 14786, 'SelynnesModifiedLargeEMPSmartbomb' : 14788, 'RayseresModifiedLargeEMPSmartbomb' : 14790, 'VizansModifiedLargeEMPSmartbomb' : 14792, 'AhremensModifiedLargeEMPSmartbomb' : 14794, 'ChelmsModifiedLargeEMPSmartbomb' : 14796, 'DraclirasModifiedLargeEMPSmartbomb' : 14798, 'BrokarasModifiedHeatSink' : 14800, 'TaireisModifiedHeatSink' : 14802, 'SelynnesModifiedHeatSink' : 14804, 'RayseresModifiedHeatSink' : 14806, 'VizansModifiedHeatSink' : 14808, 'AhremensModifiedHeatSink' : 14810, 'ChelmsModifiedHeatSink' : 14812, 'DraclirasModifiedHeatSink' : 14814, 'BrokarasModifiedHeavyNosferatu' : 14816, 'TaireisModifiedHeavyNosferatu' : 14818, 'SelynnesModifiedHeavyNosferatu' : 14820, 'RayseresModifiedHeavyNosferatu' : 14822, 'VizansModifiedHeavyNosferatu' : 14824, 'AhremensModifiedHeavyNosferatu' : 14826, 'ChelmsModifiedHeavyNosferatu' : 14828, 'DraclirasModifiedHeavyNosferatu' : 14830, 'BrokarasModifiedHeavyEnergyNeutralizer' : 14832, 'TaireisModifiedHeavyEnergyNeutralizer' : 14834, 'SelynnesModifiedHeavyEnergyNeutralizer' : 14836, 'RayseresModifiedHeavyEnergyNeutralizer' : 14838, 'VizansModifiedHeavyEnergyNeutralizer' : 14840, 'AhremensModifiedHeavyEnergyNeutralizer' : 14842, 'ChelmsModifiedHeavyEnergyNeutralizer' : 14844, 'DraclirasModifiedHeavyEnergyNeutralizer' : 14846, 'BrokarasModifiedLargeArmorRepairer' : 14848, 'TaireisModifiedLargeArmorRepairer' : 14849, 'SelynnesModifiedLargeArmorRepairer' : 14850, 'RayseresModifiedLargeArmorRepairer' : 14851, 'VizansModifiedLargeArmorRepairer' : 14852, 'AhremensModifiedLargeArmorRepairer' : 14853, 'ChelmsModifiedLargeArmorRepairer' : 14854, 'DraclirasModifiedLargeArmorRepairer' : 14855, 'BrokarasModifiedAdaptiveNanoPlating' : 14856, 'TaireisModifiedAdaptiveNanoPlating' : 14858, 'SelynnesModifiedAdaptiveNanoPlating' : 14860, 'RayseresModifiedAdaptiveNanoPlating' : 14862, 'VizansModifiedAdaptiveNanoPlating' : 14864, 'AhremensModifiedAdaptiveNanoPlating' : 14866, 'ChelmsModifiedAdaptiveNanoPlating' : 14868, 'DraclirasModifiedAdaptiveNanoPlating' : 14870, 'BrokarasModifiedKineticPlating' : 14872, 'TaireisModifiedKineticPlating' : 14874, 'SelynnesModifiedKineticPlating' : 14876, 'RayseresModifiedKineticPlating' : 14878, 'VizansModifiedKineticPlating' : 14880, 'AhremensModifiedKineticPlating' : 14882, 'ChelmsModifiedKineticPlating' : 14884, 'DraclirasModifiedKineticPlating' : 14886, 'BrokarasModifiedExplosivePlating' : 14888, 'TaireisModifiedExplosivePlating' : 14890, 'SelynnesModifiedExplosivePlating' : 14892, 'RayseresModifiedExplosivePlating' : 14894, 'VizansModifiedExplosivePlating' : 14896, 'AhremensModifiedExplosivePlating' : 14898, 'ChelmsModifiedExplosivePlating' : 14900, 'DraclirasModifiedExplosivePlating' : 14902, 'BrokarasModifiedEMPlating' : 14904, 'TaireisModifiedEMPlating' : 14906, 'SelynnesModifiedEMPlating' : 14908, 'RayseresModifiedEMPlating' : 14910, 'VizansModifiedEMPlating' : 14912, 'AhremensModifiedEMPlating' : 14914, 'ChelmsModifiedEMPlating' : 14916, 'DraclirasModifiedEMPlating' : 14918, 'BrokarasModifiedThermicPlating' : 14920, 'TaireisModifiedThermicPlating' : 14922, 'SelynnesModifiedThermicPlating' : 14924, 'RayseresModifiedThermicPlating' : 14926, 'VizansModifiedThermicPlating' : 14928, 'AhremensModifiedThermicPlating' : 14930, 'ChelmsModifiedThermicPlating' : 14932, 'DraclirasModifiedThermicPlating' : 14934, 'BrokarasModifiedEnergizedAdaptiveNanoMembrane' : 14936, 'TaireisModifiedEnergizedAdaptiveNanoMembrane' : 14938, 'SelynnesModifiedEnergizedAdaptiveNanoMembrane' : 14940, 'RayseresModifiedEnergizedAdaptiveNanoMembrane' : 14942, 'VizansModifiedEnergizedAdaptiveNanoMembrane' : 14944, 'AhremensModifiedEnergizedAdaptiveNanoMembrane' : 14946, 'ChelmsModifiedEnergizedAdaptiveNanoMembrane' : 14948, 'DraclirasModifiedEnergizedAdaptiveNanoMembrane' : 14950, 'BrokarasModifiedEnergizedThermicMembrane' : 14952, 'TaireisModifiedEnergizedThermicMembrane' : 14954, 'SelynnesModifiedEnergizedThermicMembrane' : 14956, 'RayseresModifiedEnergizedThermicMembrane' : 14958, 'VizansModifiedEnergizedThermicMembrane' : 14960, 'AhremensModifiedEnergizedThermicMembrane' : 14962, 'ChelmsModifiedEnergizedThermicMembrane' : 14964, 'DraclirasModifiedEnergizedThermicMembrane' : 14966, 'BrokarasModifiedEnergizedEMMembrane' : 14968, 'TaireisModifiedEnergizedEMMembrane' : 14970, 'SelynnesModifiedEnergizedEMMembrane' : 14972, 'RayseresModifiedEnergizedEMMembrane' : 14974, 'VizansModifiedEnergizedEMMembrane' : 14976, 'AhremensModifiedEnergizedEMMembrane' : 14978, 'ChelmsModifiedEnergizedEMMembrane' : 14980, 'DraclirasModifiedEnergizedEMMembrane' : 14982, 'BrokarasModifiedEnergizedExplosiveMembrane' : 14984, 'TaireisModifiedEnergizedExplosiveMembrane' : 14986, 'SelynnesModifiedEnergizedExplosiveMembrane' : 14988, 'RayseresModifiedEnergizedExplosiveMembrane' : 14990, 'VizansModifiedEnergizedExplosiveMembrane' : 14992, 'AhremensModifiedEnergizedExplosiveMembrane' : 14994, 'ChelmsModifiedEnergizedExplosiveMembrane' : 14996, 'DraclirasModifiedEnergizedExplosiveMembrane' : 14998, 'BrokarasModifiedEnergizedKineticMembrane' : 15000, 'TaireisModifiedEnergizedKineticMembrane' : 15002, 'SelynnesModifiedEnergizedKineticMembrane' : 15004, 'RayseresModifiedEnergizedKineticMembrane' : 15006, 'VizansModifiedEnergizedKineticMembrane' : 15008, 'AhremensModifiedEnergizedKineticMembrane' : 15010, 'ChelmsModifiedEnergizedKineticMembrane' : 15012, 'DraclirasModifiedEnergizedKineticMembrane' : 15014, 'BrokarasModifiedArmorEMHardener' : 15016, 'TaireisModifiedArmorEMHardener' : 15018, 'SelynnesModifiedArmorEMHardener' : 15020, 'RayseresModifiedArmorEMHardener' : 15022, 'VizansModifiedArmorEMHardener' : 15024, 'AhremensModifiedArmorEMHardener' : 15026, 'ChelmsModifiedArmorEMHardener' : 15028, 'DraclirasModifiedArmorEMHardener' : 15030, 'BrokarasModifiedArmorThermicHardener' : 15032, 'TaireisModifiedArmorThermicHardener' : 15034, 'SelynnesModifiedArmorThermicHardener' : 15036, 'RayseresModifiedArmorThermicHardener' : 15038, 'VizansModifiedArmorThermicHardener' : 15040, 'AhremensModifiedArmorThermicHardener' : 15042, 'ChelmsModifiedArmorThermicHardener' : 15044, 'DraclirasModifiedArmorThermicHardener' : 15046, 'BrokarasModifiedArmorKineticHardener' : 15048, 'TaireisModifiedArmorKineticHardener' : 15050, 'SelynnesModifiedArmorKineticHardener' : 15052, 'RayseresModifiedArmorKineticHardener' : 15054, 'VizansModifiedArmorKineticHardener' : 15056, 'AhremensModifiedArmorKineticHardener' : 15058, 'ChelmsModifiedArmorKineticHardener' : 15060, 'DraclirasModifiedArmorKineticHardener' : 15062, 'BrokarasModifiedArmorExplosiveHardener' : 15064, 'TaireisModifiedArmorExplosiveHardener' : 15066, 'SelynnesModifiedArmorExplosiveHardener' : 15068, 'RayseresModifiedArmorExplosiveHardener' : 15070, 'VizansModifiedArmorExplosiveHardener' : 15072, 'AhremensModifiedArmorExplosiveHardener' : 15074, 'ChelmsModifiedArmorExplosiveHardener' : 15076, 'DraclirasModifiedArmorExplosiveHardener' : 15078, 'BrokarasModifiedCapacitorPowerRelay' : 15080, 'TaireisModifiedCapacitorPowerRelay' : 15082, 'SelynnesModifiedCapacitorPowerRelay' : 15084, 'RayseresModifiedCapacitorPowerRelay' : 15086, 'VizansModifiedCapacitorPowerRelay' : 15088, 'AhremensModifiedCapacitorPowerRelay' : 15090, 'ChelmsModifiedCapacitorPowerRelay' : 15092, 'DraclirasModifiedCapacitorPowerRelay' : 15094, 'BrokarasModifiedPowerDiagnosticSystem' : 15096, 'TaireisModifiedPowerDiagnosticSystem' : 15098, 'SelynnesModifiedPowerDiagnosticSystem' : 15100, 'RayseresModifiedPowerDiagnosticSystem' : 15102, 'VizansModifiedPowerDiagnosticSystem' : 15104, 'AhremensModifiedPowerDiagnosticSystem' : 15106, 'ChelmsModifiedPowerDiagnosticSystem' : 15108, 'DraclirasModifiedPowerDiagnosticSystem' : 15110, 'BrokarasModifiedReactorControlUnit' : 15112, 'TaireisModifiedReactorControlUnit' : 15114, 'SelynnesModifiedReactorControlUnit' : 15116, 'RayseresModifiedReactorControlUnit' : 15118, 'VizansModifiedReactorControlUnit' : 15120, 'AhremensModifiedReactorControlUnit' : 15122, 'ChelmsModifiedReactorControlUnit' : 15124, 'DraclirasModifiedReactorControlUnit' : 15126, 'BrokarasModifiedHeavyCapacitorBooster' : 15128, 'TaireisModifiedHeavyCapacitorBooster' : 15130, 'SelynnesModifiedHeavyCapacitorBooster' : 15132, 'RayseresModifiedHeavyCapacitorBooster' : 15134, 'VizansModifiedHeavyCapacitorBooster' : 15136, 'AhremensModifiedHeavyCapacitorBooster' : 15138, 'ChelmsModifiedHeavyCapacitorBooster' : 15140, 'DraclirasModifiedHeavyCapacitorBooster' : 15142, 'BrynnsModifiedMagneticFieldStabilizer' : 15144, 'TuvansModifiedMagneticFieldStabilizer' : 15146, 'SetelesModifiedMagneticFieldStabilizer' : 15148, 'CormacksModifiedMagneticFieldStabilizer' : 15150, 'BrynnsModifiedLargePlasmaSmartbomb' : 15152, 'TuvansModifiedLargePlasmaSmartbomb' : 15154, 'SetelesModifiedLargePlasmaSmartbomb' : 15156, 'CormacksModifiedLargePlasmaSmartbomb' : 15158, 'BrynnsModifiedLargeArmorRepairer' : 15160, 'TuvansModifiedLargeArmorRepairer' : 15161, 'SetelesModifiedLargeArmorRepairer' : 15162, 'CormacksModifiedLargeArmorRepairer' : 15163, 'BrynnsModifiedAdaptiveNanoPlating' : 15164, 'TuvansModifiedAdaptiveNanoPlating' : 15166, 'SetelesModifiedAdaptiveNanoPlating' : 15168, 'CormacksModifiedAdaptiveNanoPlating' : 15170, 'BrynnsModifiedThermicPlating' : 15172, 'TuvansModifiedThermicPlating' : 15174, 'SetelesModifiedThermicPlating' : 15176, 'CormacksModifiedThermicPlating' : 15178, 'BrynnsModifiedEMPlating' : 15180, 'TuvansModifiedEMPlating' : 15182, 'SetelesModifiedEMPlating' : 15184, 'CormacksModifiedEMPlating' : 15186, 'BrynnsModifiedExplosivePlating' : 15188, 'TuvansModifiedExplosivePlating' : 15190, 'SetelesModifiedExplosivePlating' : 15192, 'CormacksModifiedExplosivePlating' : 15194, 'BrynnsModifiedKineticPlating' : 15196, 'TuvansModifiedKineticPlating' : 15198, 'SetelesModifiedKineticPlating' : 15200, 'CormacksModifiedKineticPlating' : 15202, 'BrynnsModifiedEnergizedAdaptiveNanoMembrane' : 15204, 'TuvansModifiedEnergizedAdaptiveNanoMembrane' : 15206, 'SetelesModifiedEnergizedAdaptiveNanoMembrane' : 15208, 'CormacksModifiedEnergizedAdaptiveNanoMembrane' : 15210, 'BrynnsModifiedEnergizedThermicMembrane' : 15212, 'TuvansModifiedEnergizedThermicMembrane' : 15214, 'SetelesModifiedEnergizedThermicMembrane' : 15216, 'CormacksModifiedEnergizedThermicMembrane' : 15218, 'BrynnsModifiedEnergizedEMMembrane' : 15220, 'TuvansModifiedEnergizedEMMembrane' : 15222, 'SetelesModifiedEnergizedEMMembrane' : 15224, 'CormacksModifiedEnergizedEMMembrane' : 15226, 'BrynnsModifiedEnergizedExplosiveMembrane' : 15228, 'TuvansModifiedEnergizedExplosiveMembrane' : 15230, 'SetelesModifiedEnergizedExplosiveMembrane' : 15232, 'CormacksModifiedEnergizedExplosiveMembrane' : 15234, 'BrynnsModifiedEnergizedKineticMembrane' : 15236, 'TuvansModifiedEnergizedKineticMembrane' : 15238, 'SetelesModifiedEnergizedKineticMembrane' : 15240, 'CormacksModifiedEnergizedKineticMembrane' : 15242, 'BrynnsModifiedArmorEMHardener' : 15244, 'TuvansModifiedArmorEMHardener' : 15246, 'SetelesModifiedArmorEMHardener' : 15248, 'CormacksModifiedArmorEMHardener' : 15250, 'BrynnsModifiedArmorThermicHardener' : 15252, 'TuvansModifiedArmorThermicHardener' : 15254, 'SetelesModifiedArmorThermicHardener' : 15256, 'CormacksModifiedArmorThermicHardener' : 15258, 'BrynnsModifiedArmorKineticHardener' : 15260, 'TuvansModifiedArmorKineticHardener' : 15262, 'SetelesModifiedArmorKineticHardener' : 15264, 'CormacksModifiedArmorKineticHardener' : 15266, 'BrynnsModifiedArmorExplosiveHardener' : 15268, 'TuvansModifiedArmorExplosiveHardener' : 15270, 'SetelesModifiedArmorExplosiveHardener' : 15272, 'CormacksModifiedArmorExplosiveHardener' : 15274, 'BrynnsModifiedSensorBooster' : 15276, 'TuvansModifiedSensorBooster' : 15278, 'SetelesModifiedSensorBooster' : 15280, 'CormacksModifiedSensorBooster' : 15282, 'BrynnsModifiedTrackingComputer' : 15284, 'TuvansModifiedTrackingComputer' : 15286, 'SetelesModifiedTrackingComputer' : 15288, 'CormacksModifiedTrackingComputer' : 15290, 'BrynnsModifiedPowerDiagnosticSystem' : 15292, 'TuvansModifiedPowerDiagnosticSystem' : 15294, 'SetelesModifiedPowerDiagnosticSystem' : 15296, 'CormacksModifiedPowerDiagnosticSystem' : 15298, 'BrynnsModifiedReactorControlUnit' : 15300, 'TuvansModifiedReactorControlUnit' : 15302, 'SetelesModifiedReactorControlUnit' : 15304, 'CormacksModifiedReactorControlUnit' : 15306, 'BrynnsModifiedCoProcessor' : 15308, 'TuvansModifiedCoProcessor' : 15310, 'SetelesModifiedCoProcessor' : 15312, 'CormacksModifiedCoProcessor' : 15314, 'LutherVeronsModifiedHeatSink' : 15397, 'LutherVeronsModifiedDualHeavyBeamLaser' : 15399, 'LutherVeronsModifiedMegaBeamLaser' : 15401, 'LutherVeronsModifiedTachyonBeamLaser' : 15403, 'LutherVeronsModifiedLargeEMPSmartbomb' : 15405, 'LutherVeronsModifiedAdaptiveInvulnerabilityField' : 15407, 'LutherVeronsModifiedShieldExtender' : 15408, 'NaiyonsModifiedMagneticFieldStabilizer' : 15416, 'NaiyonsModifiedAdaptiveInvulnerabilityField' : 15418, 'NaiyonsModifiedStasisWebifier' : 15419, 'NaiyonsModified425mmRailgun' : 15421, 'NaiyonsModified350mmRailgun' : 15423, 'NaiyonsModifiedCoProcessor' : 15425, 'MakursModifiedDualHeavyBeamLaser' : 15427, 'MakursModifiedMegaBeamLaser' : 15429, 'MakursModifiedWarpDisruptor' : 15431, 'MakursModifiedWarpScrambler' : 15433, 'MakursModifiedHeatSink' : 15435, 'MakursModifiedCapacitorPowerRelay' : 15437, 'MakursModifiedPowerDiagnosticSystem' : 15439, 'ShaqilsModified1200mmArtilleryCannon' : 15443, 'ShaqilsModified1400mmHowitzerArtillery' : 15445, 'ShaqilsModifiedGyrostabilizer' : 15447, 'ShaqilsModifiedCruiseMissileLauncher' : 15449, 'ShaqilsModifiedHeavyNosferatu' : 15451, 'ShaqilsModifiedEnergizedThermicMembrane' : 15453, 'ShaqilsModifiedEnergizedAdaptiveNanoMembrane' : 15455, 'StandardXInstinctBooster' : 15457, 'ImprovedXInstinctBooster' : 15458, 'StrongXInstinctBooster' : 15459, 'StandardFrentixBooster' : 15460, 'ImprovedFrentixBooster' : 15461, 'StrongFrentixBooster' : 15462, 'StandardMindfloodBooster' : 15463, 'ImprovedMindfloodBooster' : 15464, 'StrongMindfloodBooster' : 15465, 'StandardDropBooster' : 15466, 'ImprovedDropBooster' : 15477, 'StrongDropBooster' : 15478, 'StandardExileBooster' : 15479, 'ImprovedExileBooster' : 15480, 'VespaI' : 15508, 'ValkyrieI' : 15510, 'CaldariNavyCoProcessor' : 15675, 'FederationNavyCoProcessor' : 15677, 'CaldariNavyBallisticControlSystem' : 15681, 'RepublicFleetBallisticControlSystem' : 15683, 'ImperialNavyThermicPlating' : 15685, 'ImperialNavyEMPlating' : 15687, 'ImperialNavyExplosivePlating' : 15689, 'ImperialNavyKineticPlating' : 15691, 'ImperialNavyAdaptiveNanoPlating' : 15693, 'RepublicFleetThermicPlating' : 15695, 'RepublicFleetEMPlating' : 15697, 'RepublicFleetExplosivePlating' : 15699, 'RepublicFleetKineticPlating' : 15701, 'RepublicFleetAdaptiveNanoPlating' : 15703, 'ImperialNavyArmorThermicHardener' : 15705, 'ImperialNavyArmorKineticHardener' : 15707, 'ImperialNavyArmorExplosiveHardener' : 15709, 'ImperialNavyArmorEMHardener' : 15711, 'RepublicFleetArmorThermicHardener' : 15713, 'RepublicFleetArmorKineticHardener' : 15715, 'RepublicFleetArmorExplosiveHardener' : 15717, 'RepublicFleetArmorEMHardener' : 15719, 'ImperialNavyEnergizedThermicMembrane' : 15721, 'ImperialNavyEnergizedEMMembrane' : 15723, 'ImperialNavyEnergizedExplosiveMembrane' : 15725, 'ImperialNavyEnergizedKineticMembrane' : 15727, 'ImperialNavyEnergizedAdaptiveNanoMembrane' : 15729, 'FederationNavyEnergizedThermicMembrane' : 15731, 'FederationNavyEnergizedEMMembrane' : 15733, 'FederationNavyEnergizedExplosiveMembrane' : 15735, 'FederationNavyEnergizedKineticMembrane' : 15737, 'FederationNavyEnergizedAdaptiveNanoMembrane' : 15739, 'AmmatarNavySmallArmorRepairer' : 15741, 'AmmatarNavyMediumArmorRepairer' : 15742, 'AmmatarNavyLargeArmorRepairer' : 15743, 'FederationNavySmallArmorRepairer' : 15744, 'FederationNavyMediumArmorRepairer' : 15745, 'FederationNavyLargeArmorRepairer' : 15746, 'RepublicFleet5MNMicrowarpdrive' : 15747, 'RepublicFleet1MNAfterburner' : 15749, 'RepublicFleet50MNMicrowarpdrive' : 15751, 'RepublicFleet10MNAfterburner' : 15753, 'RepublicFleet500MNMicrowarpdrive' : 15755, 'RepublicFleet100MNAfterburner' : 15757, 'FederationNavy5MNMicrowarpdrive' : 15759, 'FederationNavy1MNAfterburner' : 15761, 'FederationNavy50MNMicrowarpdrive' : 15764, 'FederationNavy10MNAfterburner' : 15766, 'FederationNavy500MNMicrowarpdrive' : 15768, 'FederationNavy100MNAfterburner' : 15770, 'AmmatarNavySmallCapacitorBooster' : 15772, 'AmmatarNavyMicroCapacitorBooster' : 15774, 'AmmatarNavyMediumCapacitorBooster' : 15776, 'AmmatarNavyHeavyCapacitorBooster' : 15778, 'ImperialNavySmallCapacitorBooster' : 15780, 'ImperialNavyMicroCapacitorBooster' : 15782, 'ImperialNavyMediumCapacitorBooster' : 15784, 'ImperialNavyHeavyCapacitorBooster' : 15786, 'AmmatarNavyCapRecharger' : 15788, 'CaldariNavyCloakingDevice' : 15790, 'FederationNavyTrackingComputer' : 15792, 'AmmatarNavySmallEnergyNeutralizer' : 15794, 'AmmatarNavyMediumEnergyNeutralizer' : 15796, 'AmmatarNavyHeavyEnergyNeutralizer' : 15798, 'ImperialNavySmallEnergyNeutralizer' : 15800, 'ImperialNavyMediumEnergyNeutralizer' : 15802, 'ImperialNavyHeavyEnergyNeutralizer' : 15804, 'RepublicFleetGyrostabilizer' : 15806, 'AmmatarNavyHeatSink' : 15808, 'ImperialNavyHeatSink' : 15810, 'RepublicFleetOverdriveInjector' : 15812, 'RepublicFleetNanofiberStructure' : 15813, 'CaldariNavyDual250mmRailgun' : 15814, 'CaldariNavyDual150mmRailgun' : 15815, 'CaldariNavy75mmRailgun' : 15816, 'CaldariNavy425mmRailgun' : 15817, 'CaldariNavy350mmRailgun' : 15818, 'CaldariNavy250mmRailgun' : 15820, 'CaldariNavy200mmRailgun' : 15821, 'CaldariNavy150mmRailgun' : 15823, 'CaldariNavy125mmRailgun' : 15824, 'FederationNavyNeutronBlasterCannon' : 15825, 'FederationNavyLightNeutronBlaster' : 15826, 'FederationNavyLightIonBlaster' : 15827, 'FederationNavyLightElectronBlaster' : 15828, 'FederationNavyIonBlasterCannon' : 15829, 'FederationNavyHeavyNeutronBlaster' : 15830, 'FederationNavyHeavyIonBlaster' : 15831, 'FederationNavyHeavyElectronBlaster' : 15832, 'FederationNavyElectronBlasterCannon' : 15833, 'FederationNavyDual250mmRailgun' : 15834, 'FederationNavyDual150mmRailgun' : 15835, 'FederationNavy75mmRailgun' : 15836, 'FederationNavy425mmRailgun' : 15837, 'FederationNavy350mmRailgun' : 15838, 'FederationNavy250mmRailgun' : 15840, 'FederationNavy200mmRailgun' : 15841, 'FederationNavy150mmRailgun' : 15843, 'FederationNavy125mmRailgun' : 15844, 'AmmatarNavyTachyonBeamLaser' : 15845, 'AmmatarNavyQuadBeamLaser' : 15846, 'AmmatarNavyMegaPulseLaser' : 15847, 'AmmatarNavyMegaBeamLaser' : 15848, 'AmmatarNavySmallFocusedPulseLaser' : 15849, 'AmmatarNavySmallFocusedBeamLaser' : 15850, 'AmmatarNavyHeavyPulseLaser' : 15851, 'AmmatarNavyHeavyBeamLaser' : 15852, 'AmmatarNavyGatlingPulseLaser' : 15853, 'AmmatarNavyFocusedMediumPulseLaser' : 15854, 'AmmatarNavyFocusedMediumBeamLaser' : 15855, 'AmmatarNavyDualLightPulseLaser' : 15856, 'AmmatarNavyDualLightBeamLaser' : 15857, 'AmmatarNavyDualHeavyPulseLaser' : 15858, 'AmmatarNavyDualHeavyBeamLaser' : 15859, 'ImperialNavyTachyonBeamLaser' : 15860, 'ImperialNavyQuadBeamLaser' : 15861, 'ImperialNavyMegaPulseLaser' : 15862, 'ImperialNavyMegaBeamLaser' : 15863, 'ImperialNavySmallFocusedPulseLaser' : 15864, 'ImperialNavySmallFocusedBeamLaser' : 15865, 'ImperialNavyHeavyPulseLaser' : 15866, 'ImperialNavyHeavyBeamLaser' : 15867, 'ImperialNavyGatlingPulseLaser' : 15868, 'ImperialNavyFocusedMediumPulseLaser' : 15869, 'ImperialNavyFocusedMediumBeamLaser' : 15870, 'ImperialNavyDualLightPulseLaser' : 15871, 'ImperialNavyDualLightBeamLaser' : 15872, 'ImperialNavyDualHeavyPulseLaser' : 15873, 'ImperialNavyDualHeavyBeamLaser' : 15874, 'AmmatarNavySmallNosferatu' : 15875, 'AmmatarNavyMediumNosferatu' : 15877, 'AmmatarNavyHeavyNosferatu' : 15879, 'ImperialNavySmallNosferatu' : 15881, 'ImperialNavyMediumNosferatu' : 15883, 'ImperialNavyHeavyNosferatu' : 15885, 'CaldariNavyWarpScrambler' : 15887, 'CaldariNavyWarpDisruptor' : 15889, 'RepublicFleetWarpDisruptor' : 15891, 'RepublicFleetWarpScrambler' : 15893, 'FederationNavyMagneticFieldStabilizer' : 15895, 'CaldariNavyXLargeShieldBooster' : 15897, 'CaldariNavySmallShieldBooster' : 15898, 'CaldariNavyMediumShieldBooster' : 15899, 'CaldariNavyLargeShieldBooster' : 15900, 'RepublicFleetXLargeShieldBooster' : 15901, 'RepublicFleetSmallShieldBooster' : 15902, 'RepublicFleetMediumShieldBooster' : 15903, 'RepublicFleetLargeShieldBooster' : 15904, 'CaldariNavyShieldBoostAmplifier' : 15905, 'RepublicFleetShieldBoostAmplifier' : 15907, 'CaldariNavyEMWardAmplifier' : 15909, 'CaldariNavyKineticDeflectionAmplifier' : 15911, 'CaldariNavyThermicDissipationAmplifier' : 15913, 'CaldariNavyExplosiveDeflectionAmplifier' : 15915, 'RepublicFleetEMWardAmplifier' : 15917, 'RepublicFleetKineticDeflectionAmplifier' : 15919, 'RepublicFleetThermicDissipationAmplifier' : 15921, 'RepublicFleetExplosiveDeflectionAmplifier' : 15923, 'CaldariNavySmallGravitonSmartbomb' : 15925, 'CaldariNavyMicroGravitonSmartbomb' : 15927, 'CaldariNavyMediumGravitonSmartbomb' : 15929, 'CaldariNavyLargeGravitonSmartbomb' : 15931, 'RepublicFleetMicroProtonSmartbomb' : 15933, 'RepublicFleetSmallProtonSmartbomb' : 15935, 'RepublicFleetMediumProtonSmartbomb' : 15937, 'RepublicFleetLargeProtonSmartbomb' : 15939, 'AmmatarNavySmallEMPSmartbomb' : 15941, 'AmmatarNavyMicroEMPSmartbomb' : 15943, 'AmmatarNavyMediumEMPSmartbomb' : 15945, 'AmmatarNavyLargeEMPSmartbomb' : 15947, 'FederationNavySmallPlasmaSmartbomb' : 15949, 'FederationNavyMicroPlasmaSmartbomb' : 15951, 'FederationNavyMediumPlasmaSmartbomb' : 15953, 'FederationNavyLargePlasmaSmartbomb' : 15955, 'ImperialNavySmallEMPSmartbomb' : 15957, 'ImperialNavyMicroEMPSmartbomb' : 15959, 'ImperialNavyMediumEMPSmartbomb' : 15961, 'ImperialNavyLargeEMPSmartbomb' : 15963, 'RepublicFleetTrackingEnhancer' : 15965, 'FederationNavyRemoteTrackingComputer' : 15967, 'EifyrandCoRogueNavigationNN605' : 16003, 'EifyrandCoRogueEvasiveManeuveringEM705' : 16004, 'EifyrandCoRogueFuelConservationFC805' : 16005, 'EifyrandCoRogueHighSpeedManeuveringHS905' : 16006, 'EifyrandCoRogueAccelerationControlAC603' : 16008, 'EifyrandCoRogueAccelerationControlAC605' : 16009, 'DecapitatorLightMissile' : 16025, 'RepublicFleet125mmAutocannon' : 16046, 'RepublicFleet1200mmArtillery' : 16047, 'RepublicFleet1400mmHowitzerArtillery' : 16048, 'RepublicFleet150mmAutocannon' : 16049, 'RepublicFleet200mmAutocannon' : 16050, 'RepublicFleet220mmAutocannon' : 16051, 'RepublicFleet250mmArtillery' : 16052, 'RepublicFleet280mmHowitzerArtillery' : 16053, 'RepublicFleet425mmAutocannon' : 16054, 'RepublicFleet650mmArtillery' : 16055, 'RepublicFleet720mmHowitzerArtillery' : 16056, 'RepublicFleet800mmRepeatingCannon' : 16057, 'RepublicFleetDual180mmAutocannon' : 16058, 'RepublicFleetDual425mmAutocannon' : 16059, 'RepublicFleetDual650mmRepeatingCannon' : 16060, 'CaldariNavyRapidLightMissileLauncher' : 16061, 'CaldariNavyCruiseMissileLauncher' : 16062, 'CaldariNavyHeavyMissileLauncher' : 16064, 'CaldariNavyRocketLauncher' : 16065, 'CaldariNavyTorpedoLauncher' : 16067, 'CaldariNavyLightMissileLauncher' : 16068, 'RemoteArmorRepairSystems' : 16069, 'CONCORDModifiedCloakingDevice' : 16126, 'CONCORDMediumPulseLaser' : 16128, 'CONCORDDualHeavyPulseLaser' : 16129, 'CONCORDHeavyPulseLaser' : 16131, 'CONCORD150mmRailgun' : 16132, 'CONCORD250mmRailgun' : 16133, 'CONCORD350mmRailgun' : 16134, 'CONCORDLightMissileLauncher' : 16136, 'CONCORDHeavyMissileLauncher' : 16137, 'CONCORDCruiseMissileLauncher' : 16138, 'CONCORDModifiedWarpScrambler' : 16140, 'CONCORDMicroShieldExtender' : 16142, 'CONCORDMediumShieldExtender' : 16144, 'CONCORDLargeShieldExtender' : 16146, 'CONCORD1200mmArtillery' : 16148, 'CONCORD650mmArtillery' : 16149, 'CONCORD200mmAutocannon' : 16150, 'CONCORDArmorEMHardener' : 16151, 'CONCORDArmorExplosiveHardener' : 16153, 'CONCORDArmorKineticHardener' : 16155, 'CONCORDArmorThermicHardener' : 16157, 'HellhoundI' : 16206, 'Ferox' : 16227, 'Brutix' : 16229, 'Cyclone' : 16231, 'Prophecy' : 16233, 'Coercer' : 16236, 'Cormorant' : 16238, 'Catalyst' : 16240, 'Thrasher' : 16242, 'ZainouGnomeShieldUpgradesSU605' : 16245, 'ZainouGnomeShieldManagementSM705' : 16246, 'ZainouGnomeShieldEmissionSystemsSE805' : 16247, 'ZainouGnomeShieldOperationSP905' : 16248, 'ZainouGnomeWeaponUpgradesWU1005' : 16249, 'IceHarvesterI' : 16278, 'IceHarvesting' : 16281, 'LowCostMercenaryAssaultUnit' : 16282, 'AccordCoreCompensation' : 16297, 'ReposeCoreCompensation' : 16299, 'StoicCoreEqualizerI' : 16301, 'HalcyonCoreEqualizerI' : 16303, 'UpgradedAdaptiveNanoPlatingI' : 16305, 'LimitedAdaptiveNanoPlatingI' : 16307, 'CollateralAdaptiveNanoPlatingI' : 16309, 'RefugeAdaptiveNanoPlatingI' : 16311, 'UpgradedKineticPlatingI' : 16313, 'LimitedKineticPlatingI' : 16315, 'ExperimentalKineticPlatingI' : 16317, 'AegisExplosivePlatingI' : 16319, 'UpgradedExplosivePlatingI' : 16321, 'LimitedExplosivePlatingI' : 16323, 'ExperimentalExplosivePlatingI' : 16325, 'ElementKineticPlatingI' : 16327, 'UpgradedEMPlatingI' : 16329, 'LimitedEMPlatingI' : 16331, 'ContourEMPlatingI' : 16333, 'SpiegelEMPlatingI' : 16335, 'UpgradedThermicPlatingI' : 16337, 'LimitedThermicPlatingI' : 16339, 'ExperimentalThermicPlatingI' : 16341, 'PrototypeThermicPlatingI' : 16343, 'UpgradedLayeredPlatingI' : 16345, 'LimitedLayeredPlatingI' : 16347, 'ScarabLayeredPlatingI' : 16349, 'GrailLayeredPlatingI' : 16351, 'UpgradedArmorEMHardenerI' : 16353, 'LimitedArmorEMHardenerI' : 16355, 'ExperimentalArmorEMHardenerI' : 16357, 'PrototypeArmorEMHardenerI' : 16359, 'UpgradedArmorExplosiveHardenerI' : 16361, 'LimitedArmorExplosiveHardenerI' : 16363, 'ExperimentalArmorExplosiveHardenerI' : 16365, 'PrototypeArmorExplosiveHardenerI' : 16367, 'UpgradedArmorKineticHardenerI' : 16369, 'LimitedArmorKineticHardenerI' : 16371, 'ExperimentalArmorKineticHardenerI' : 16373, 'PrototypeArmorKineticHardenerI' : 16375, 'UpgradedArmorThermicHardenerI' : 16377, 'LimitedArmorThermicHardenerI' : 16379, 'ExperimentalArmorThermicHardenerI' : 16381, 'PrototypeArmorThermicHardenerI' : 16383, 'UpgradedEnergizedAdaptiveNanoMembraneI' : 16385, 'LimitedEnergizedAdaptiveNanoMembraneI' : 16387, 'ExperimentalEnergizedAdaptiveNanoMembraneI' : 16389, 'PrototypeEnergizedAdaptiveNanoMembraneI' : 16391, 'UpgradedEnergizedKineticMembraneI' : 16393, 'LimitedEnergizedKineticMembraneI' : 16395, 'ExperimentalEnergizedKineticMembraneI' : 16397, 'PrototypeEnergizedKineticMembraneI' : 16399, 'UpgradedEnergizedExplosiveMembraneI' : 16401, 'LimitedEnergizedExplosiveMembraneI' : 16403, 'ExperimentalEnergizedExplosiveMembraneI' : 16405, 'PrototypeEnergizedExplosiveMembraneI' : 16407, 'UpgradedEnergizedEMMembraneI' : 16409, 'LimitedEnergizedEMMembraneI' : 16411, 'ExperimentalEnergizedEMMembraneI' : 16413, 'PrototypeEnergizedEMMembraneI' : 16415, 'UpgradedEnergizedArmorLayeringMembraneI' : 16417, 'LimitedEnergizedArmorLayeringMembraneI' : 16419, 'ExperimentalEnergizedArmorLayeringMembraneI' : 16421, 'PrototypeEnergizedArmorLayeringMembraneI' : 16423, 'UpgradedEnergizedThermicMembraneI' : 16425, 'LimitedEnergizedThermicMembraneI' : 16427, 'ExperimentalEnergizedThermicMembraneI' : 16429, 'PrototypeEnergizedThermicMembraneI' : 16431, 'SmallIaxRemoteArmorRepairer' : 16433, 'SmallCoaxialRemoteArmorRepairer' : 16435, 'SmallArupRemoteArmorRepairer' : 16437, 'SmallSolaceRemoteArmorRepairer' : 16439, 'MediumIaxRemoteArmorRepairer' : 16441, 'MediumCoaxialRemoteArmorRepairer' : 16443, 'MediumArupRemoteArmorRepairer' : 16445, 'MediumSolaceRemoteArmorRepairer' : 16447, 'LargeIaxRemoteArmorRepairer' : 16449, 'LargeCoaxialRemoteArmorRepairer' : 16451, 'LargeArupRemoteArmorRepairer' : 16453, 'LargeSolaceRemoteArmorRepairer' : 16455, 'CrosslinkedBoltArrayI' : 16457, 'MuonCoilBoltArrayI' : 16459, 'MultiphasicBoltArrayI' : 16461, 'PandemoniumBallisticEnhancement' : 16463, 'MediumRudimentaryEnergyDestabilizerI' : 16465, 'MediumGremlinPowerCoreDisruptorI' : 16467, '50WInfectiousPowerSystemMalfunction' : 16469, 'MediumUnstablePowerFluctuatorI' : 16471, 'HeavyRudimentaryEnergyDestabilizerI' : 16473, 'HeavyGremlinPowerCoreDisruptorI' : 16475, '500WInfectiousPowerSystemMalfunction' : 16477, 'HeavyUnstablePowerFluctuatorI' : 16479, 'LargeAsymmetricRemoteCapacitorTransmitter' : 16481, 'LargeMurkyRemoteCapacitorTransmitter' : 16483, 'LargePartialE95cRemoteCapacitorTransmitter' : 16485, 'LargeRegardRemoteCapacitorTransmitter' : 16487, 'MediumAsymmetricRemoteCapacitorTransmitter' : 16489, 'MediumMurkyRemoteCapacitorTransmitter' : 16491, 'MediumPartialE95bRemoteCapacitorTransmitter' : 16493, 'MediumRegardRemoteCapacitorTransmitter' : 16495, 'HeavyGhoulEnergySiphonI' : 16497, 'HeavyKnaveEnergyDrain' : 16499, 'E500PrototypeEnergyVampire' : 16501, 'HeavyDiminishingPowerSystemDrainI' : 16503, 'MediumGhoulEnergySiphonI' : 16505, 'MediumKnaveEnergyDrain' : 16507, 'E50PrototypeEnergyVampire' : 16509, 'MediumDiminishingPowerSystemDrainI' : 16511, 'MalkuthCruiseLauncherI' : 16513, 'LimosCruiseLauncherI' : 16515, 'XT9000CruiseLauncher' : 16517, 'ArbalestCruiseLauncherI' : 16519, 'MalkuthRocketLauncherI' : 16521, 'LimosRocketLauncherI' : 16523, 'OE5200RocketLauncher' : 16525, 'ArbalestRocketLauncherI' : 16527, 'IonicFieldAcceleratorI' : 16529, '5aPrototypeShieldSupportI' : 16531, 'StalwartParticleFieldMagnifier' : 16533, 'CopaseticParticleFieldAcceleration' : 16535, 'VigorCompactMicroAuxiliaryPowerCore' : 16537, 'MicroB88CoreAugmentation' : 16539, 'MicroKExhaustCoreAugmentation' : 16541, 'MicroVigorCoreAugmentation' : 16543, 'HeavyAssaultCruisers' : 16591, 'Procurement' : 16594, 'Daytrading' : 16595, 'Wholesale' : 16596, 'MarginTrading' : 16597, 'Marketing' : 16598, 'BrokarasModifiedCapRecharger' : 16599, 'SelynnesModifiedCapRecharger' : 16601, 'VizansModifiedCapRecharger' : 16603, 'ChelmsModifiedCapRecharger' : 16605, 'Accounting' : 16622, 'ImmovableEnigma' : 17360, 'Covetor' : 17476, 'Retriever' : 17478, 'Procurer' : 17480, 'StripMinerI' : 17482, 'RepublicFleetRapidLightMissileLauncher' : 17484, 'RepublicFleetCruiseMissileLauncher' : 17485, 'RepublicFleetHeavyMissileLauncher' : 17487, 'RepublicFleetRocketLauncher' : 17488, 'RepublicFleetTorpedoLauncher' : 17490, 'RepublicFleetLightMissileLauncher' : 17491, 'RepublicFleetLargeArmorRepairer' : 17492, 'RepublicFleetMediumArmorRepairer' : 17493, 'RepublicFleetSmallArmorRepairer' : 17494, 'CaldariNavyKineticDeflectionField' : 17495, 'CaldariNavyExplosiveDeflectionField' : 17496, 'CaldariNavyThermicDissipationField' : 17497, 'CaldariNavyAdaptiveInvulnerabilityField' : 17498, 'CaldariNavyEMWardField' : 17499, 'CaldariNavyStasisWebifier' : 17500, 'AmmatarNavyArmorEMHardener' : 17502, 'AmmatarNavyArmorExplosiveHardener' : 17504, 'AmmatarNavyArmorKineticHardener' : 17506, 'AmmatarNavyArmorThermicHardener' : 17508, 'AmmatarNavyCapacitorPowerRelay' : 17510, 'AmmatarNavyKineticPlating' : 17512, 'AmmatarNavyAdaptiveNanoPlating' : 17514, 'AmmatarNavyExplosivePlating' : 17516, 'AmmatarNavyEMPlating' : 17518, 'FederationNavySensorBooster' : 17520, 'AmmatarNavyReactorControlUnit' : 17522, 'AmmatarNavyPowerDiagnosticSystem' : 17524, 'ImperialNavyCapRecharger' : 17526, 'ImperialNavyCapacitorPowerRelay' : 17528, 'AmmatarNavyEnergizedAdaptiveNanoMembrane' : 17536, 'AmmatarNavyEnergizedKineticMembrane' : 17538, 'AmmatarNavyEnergizedExplosiveMembrane' : 17540, 'AmmatarNavyEnergizedEMMembrane' : 17542, 'AmmatarNavyEnergizedThermicMembrane' : 17544, 'ImperialNavyLargeArmorRepairer' : 17546, 'ImperialNavyMediumArmorRepairer' : 17547, 'ImperialNavySmallArmorRepairer' : 17548, 'FederationNavyAdaptiveNanoPlating' : 17549, 'FederationNavyKineticPlating' : 17551, 'FederationNavyExplosivePlating' : 17553, 'FederationNavyEMPlating' : 17555, 'FederationNavyThermicPlating' : 17557, 'FederationNavyStasisWebifier' : 17559, 'UnanchoringDrone' : 17565, 'QASpeedLimiterModule' : 17617, 'CaldariNavyHookbill' : 17619, 'CaracalNavyIssue' : 17634, 'RavenNavyIssue' : 17636, 'AntimatterChargeXL' : 17648, 'IridiumChargeXL' : 17650, 'IronChargeXL' : 17652, 'LeadChargeXL' : 17654, 'PlutoniumChargeXL' : 17656, 'ThoriumChargeXL' : 17658, 'TungstenChargeXL' : 17660, 'UraniumChargeXL' : 17662, 'CarbonizedLeadXL' : 17664, 'DepletedUraniumXL' : 17666, 'EMPXL' : 17668, 'FusionXL' : 17670, 'NuclearXL' : 17672, 'PhasedPlasmaXL' : 17674, 'ProtonXL' : 17676, 'TitaniumSabotXL' : 17678, 'GammaXL' : 17680, 'InfraredXL' : 17682, 'MicrowaveXL' : 17684, 'MultifrequencyXL' : 17686, 'RadioXL' : 17688, 'StandardXL' : 17690, 'UltravioletXL' : 17692, 'XrayXL' : 17694, 'OldSystemScanner' : 17696, 'ImperialNavySlicer' : 17703, 'KhanidNavyFrigate' : 17705, 'MordusFrigate' : 17707, 'OmenNavyIssue' : 17709, 'StabberFleetIssue' : 17713, 'Gila' : 17715, 'Phantasm' : 17718, 'Cynabal' : 17720, 'Vigilant' : 17722, 'ApocalypseNavyIssue' : 17726, 'MegathronNavyIssue' : 17728, 'TempestFleetIssue' : 17732, 'Nightmare' : 17736, 'Machariel' : 17738, 'Vindicator' : 17740, 'RepublicFleetFiretail' : 17812, 'FederationNavyArmorEMHardener' : 17832, 'FederationNavyArmorExplosiveHardener' : 17834, 'FederationNavyArmorKineticHardener' : 17836, 'FederationNavyArmorThermicHardener' : 17838, 'FederationNavyComet' : 17841, 'VexorNavyIssue' : 17843, 'MjolnirCitadelTorpedo' : 17857, 'ScourgeCitadelTorpedo' : 17859, 'InfernoCitadelTorpedo' : 17861, 'NovaCitadelTorpedo' : 17863, 'InherentImplantsNobleRemoteArmorRepairSystemsRA703' : 17871, 'SystemScannerI' : 17873, 'ReconSystemScanner' : 17884, 'ScanProbeLauncherII' : 17901, 'QACruiseMissile' : 17908, 'ModulatedStripMinerII' : 17912, 'Rattlesnake' : 17918, 'Bhaalgorn' : 17920, 'Ashimmu' : 17922, 'Succubus' : 17924, 'Cruor' : 17926, 'Daredevil' : 17928, 'Worm' : 17930, 'Dramiel' : 17932, 'CoreProbeLauncherI' : 17938, 'MiningBarge' : 17940, 'IceProcessing' : 18025, 'ArkonorMiningCrystalI' : 18036, 'BistotMiningCrystalI' : 18038, 'CrokiteMiningCrystalI' : 18040, 'DarkOchreMiningCrystalI' : 18042, 'GneissMiningCrystalI' : 18044, 'HedbergiteMiningCrystalI' : 18046, 'HemorphiteMiningCrystalI' : 18048, 'JaspetMiningCrystalI' : 18050, 'KerniteMiningCrystalI' : 18052, 'MercoxitMiningCrystalI' : 18054, 'OmberMiningCrystalI' : 18056, 'PlagioclaseMiningCrystalI' : 18058, 'PyroxeresMiningCrystalI' : 18060, 'ScorditeMiningCrystalI' : 18062, 'SpodumainMiningCrystalI' : 18064, 'VeldsparMiningCrystalI' : 18066, 'ModulatedDeepCoreMinerII' : 18068, 'Tycoon' : 18580, 'ObservatorDeepSpaceProbeI' : 18588, 'ArkonorMiningCrystalII' : 18590, 'BistotMiningCrystalII' : 18592, 'CrokiteMiningCrystalII' : 18594, 'DarkOchreMiningCrystalII' : 18596, 'GneissMiningCrystalII' : 18598, 'HedbergiteMiningCrystalII' : 18600, 'HemorphiteMiningCrystalII' : 18602, 'JaspetMiningCrystalII' : 18604, 'KerniteMiningCrystalII' : 18606, 'MercoxitMiningCrystalII' : 18608, 'OmberMiningCrystalII' : 18610, 'PlagioclaseMiningCrystalII' : 18612, 'PyroxeresMiningCrystalII' : 18614, 'ScorditeMiningCrystalII' : 18616, 'VeldsparMiningCrystalII' : 18618, 'SpodumainMiningCrystalII' : 18624, 'QuestSurveyProbeI' : 18626, 'DiscoverySurveyProbeI' : 18635, 'GazeSurveyProbeI' : 18637, 'ExpandedProbeLauncherI' : 18639, 'QASmartbomb' : 18642, 'GistiiCType1MNAfterburner' : 18658, 'GistumCType10MNAfterburner' : 18660, 'GistCType100MNAfterburner' : 18662, 'GistiiBType1MNAfterburner' : 18664, 'GistumBType10MNAfterburner' : 18666, 'GistBType100MNAfterburner' : 18668, 'GistiiAType1MNAfterburner' : 18670, 'GistumAType10MNAfterburner' : 18672, 'GistAType100MNAfterburner' : 18674, 'GistXType100MNAfterburner' : 18676, 'CoreliCType1MNAfterburner' : 18680, 'CorelumCType10MNAfterburner' : 18682, 'CoreCType100MNAfterburner' : 18684, 'CoreliBType1MNAfterburner' : 18686, 'CorelumBType10MNAfterburner' : 18688, 'CoreBType100MNAfterburner' : 18690, 'CoreliAType1MNAfterburner' : 18692, 'CorelumAType10MNAfterburner' : 18694, 'CoreAType100MNAfterburner' : 18696, 'CoreXType100MNAfterburner' : 18698, 'CorpiiCTypeAdaptiveNanoPlating' : 18700, 'CentiiCTypeAdaptiveNanoPlating' : 18702, 'CorpiiBTypeAdaptiveNanoPlating' : 18704, 'CentiiBTypeAdaptiveNanoPlating' : 18706, 'CorpiiATypeAdaptiveNanoPlating' : 18708, 'CentiiATypeAdaptiveNanoPlating' : 18710, 'CorpiiCTypeKineticPlating' : 18712, 'CentiiCTypeKineticPlating' : 18714, 'CorpiiCTypeExplosivePlating' : 18716, 'CentiiCTypeExplosivePlating' : 18718, 'CorpiiCTypeEMPlating' : 18720, 'CentiiCTypeEMPlating' : 18722, 'CorpiiCTypeThermicPlating' : 18724, 'CentiiCTypeThermicPlating' : 18726, 'CorpiiBTypeThermicPlating' : 18728, 'CentiiBTypeThermicPlating' : 18730, 'CorpiiBTypeKineticPlating' : 18740, 'CentiiBTypeKineticPlating' : 18742, 'CorpiiBTypeExplosivePlating' : 18744, 'CentiiBTypeExplosivePlating' : 18746, 'CorpiiBTypeEMPlating' : 18748, 'CentiiBTypeEMPlating' : 18750, 'CorpiiATypeKineticPlating' : 18752, 'CentiiATypeKineticPlating' : 18754, 'CorpiiATypeExplosivePlating' : 18756, 'CentiiATypeExplosivePlating' : 18758, 'CorpiiATypeEMPlating' : 18760, 'CentiiATypeEMPlating' : 18762, 'CorpiiATypeThermicPlating' : 18764, 'CentiiATypeThermicPlating' : 18766, 'CoreliCTypeAdaptiveNanoPlating' : 18768, 'CoreliCTypeKineticPlating' : 18770, 'CoreliCTypeExplosivePlating' : 18772, 'CoreliCTypeEMPlating' : 18775, 'CoreliCTypeThermicPlating' : 18777, 'CoreliBTypeAdaptiveNanoPlating' : 18779, 'CoreliBTypeKineticPlating' : 18781, 'CoreliBTypeExplosivePlating' : 18783, 'CoreliBTypeEMPlating' : 18785, 'CoreliBTypeThermicPlating' : 18787, 'CoreliATypeAdaptiveNanoPlating' : 18789, 'CoreliATypeKineticPlating' : 18791, 'CoreliATypeExplosivePlating' : 18793, 'CoreliATypeEMPlating' : 18795, 'CoreliATypeThermicPlating' : 18797, 'CorelumCTypeEnergizedAdaptiveNanoMembrane' : 18799, 'CorelumCTypeEnergizedKineticMembrane' : 18801, 'CorelumCTypeEnergizedExplosiveMembrane' : 18803, 'CorelumCTypeEnergizedEMMembrane' : 18805, 'CorelumCTypeEnergizedThermicMembrane' : 18807, 'CorelumBTypeEnergizedAdaptiveNanoMembrane' : 18809, 'CorelumBTypeEnergizedKineticMembrane' : 18811, 'CorelumBTypeEnergizedExplosiveMembrane' : 18813, 'CorelumBTypeEnergizedEMMembrane' : 18815, 'CorelumBTypeEnergizedThermicMembrane' : 18817, 'CorelumATypeEnergizedAdaptiveNanoMembrane' : 18819, 'CorelumATypeEnergizedKineticMembrane' : 18821, 'CorelumATypeEnergizedExplosiveMembrane' : 18823, 'CorelumATypeEnergizedEMMembrane' : 18825, 'CorelumATypeEnergizedThermicMembrane' : 18827, 'CorpumCTypeEnergizedAdaptiveNanoMembrane' : 18829, 'CentumCTypeEnergizedAdaptiveNanoMembrane' : 18831, 'CorpumCTypeEnergizedKineticMembrane' : 18833, 'CentumCTypeEnergizedKineticMembrane' : 18835, 'CorpumCTypeEnergizedExplosiveMembrane' : 18837, 'CentumCTypeEnergizedExplosiveMembrane' : 18839, 'CorpumCTypeEnergizedEMMembrane' : 18841, 'CentumCTypeEnergizedEMMembrane' : 18843, 'CorpumCTypeEnergizedThermicMembrane' : 18845, 'CentumCTypeEnergizedThermicMembrane' : 18847, 'CorpumBTypeEnergizedAdaptiveNanoMembrane' : 18849, 'CentumBTypeEnergizedAdaptiveNanoMembrane' : 18851, 'CorpumBTypeEnergizedKineticMembrane' : 18853, 'CentumBTypeEnergizedKineticMembrane' : 18855, 'CorpumBTypeEnergizedExplosiveMembrane' : 18857, 'CentumBTypeEnergizedExplosiveMembrane' : 18859, 'CorpumBTypeEnergizedThermicMembrane' : 18861, 'CentumBTypeEnergizedThermicMembrane' : 18863, 'CorpumATypeEnergizedThermicMembrane' : 18865, 'CentumATypeEnergizedThermicMembrane' : 18867, 'CorpumATypeEnergizedEMMembrane' : 18869, 'CentumATypeEnergizedEMMembrane' : 18871, 'CorpumATypeEnergizedExplosiveMembrane' : 18873, 'CentumATypeEnergizedExplosiveMembrane' : 18875, 'CorpumATypeEnergizedKineticMembrane' : 18877, 'CentumATypeEnergizedKineticMembrane' : 18879, 'CorpumATypeEnergizedAdaptiveNanoMembrane' : 18881, 'CentumATypeEnergizedAdaptiveNanoMembrane' : 18883, 'CorpusCTypeArmorEMHardener' : 18885, 'CentusCTypeArmorEMHardener' : 18887, 'CorpusCTypeArmorExplosiveHardener' : 18889, 'CentusCTypeArmorExplosiveHardener' : 18891, 'CorpusCTypeArmorKineticHardener' : 18893, 'CentusCTypeArmorKineticHardener' : 18895, 'CorpusCTypeArmorThermicHardener' : 18897, 'CentusCTypeArmorThermicHardener' : 18899, 'CorpusBTypeArmorEMHardener' : 18901, 'CentusBTypeArmorEMHardener' : 18903, 'CorpusBTypeArmorExplosiveHardener' : 18905, 'CentusBTypeArmorExplosiveHardener' : 18907, 'CorpusBTypeArmorKineticHardener' : 18909, 'CentusBTypeArmorKineticHardener' : 18911, 'CorpusBTypeArmorThermicHardener' : 18913, 'CentusBTypeArmorThermicHardener' : 18915, 'CorpusATypeArmorThermicHardener' : 18917, 'CentusATypeArmorThermicHardener' : 18919, 'CorpusATypeArmorKineticHardener' : 18921, 'CentusATypeArmorKineticHardener' : 18923, 'CorpusATypeArmorExplosiveHardener' : 18925, 'CentusATypeArmorExplosiveHardener' : 18927, 'CorpusATypeArmorEMHardener' : 18929, 'CentusATypeArmorEMHardener' : 18931, 'CorpusXTypeArmorEMHardener' : 18933, 'CentusXTypeArmorEMHardener' : 18935, 'CorpusXTypeArmorExplosiveHardener' : 18937, 'CentusXTypeArmorExplosiveHardener' : 18939, 'CorpusXTypeArmorKineticHardener' : 18941, 'CentusXTypeArmorKineticHardener' : 18943, 'CorpusXTypeArmorThermicHardener' : 18945, 'CentusXTypeArmorThermicHardener' : 18947, 'CoreCTypeArmorEMHardener' : 18949, 'CoreCTypeArmorExplosiveHardener' : 18951, 'CoreCTypeArmorKineticHardener' : 18953, 'CoreCTypeArmorThermicHardener' : 18955, 'CoreBTypeArmorEMHardener' : 18957, 'CoreBTypeArmorExplosiveHardener' : 18959, 'CoreBTypeArmorKineticHardener' : 18961, 'CoreBTypeArmorThermicHardener' : 18963, 'CoreATypeArmorEMHardener' : 18965, 'CoreATypeArmorExplosiveHardener' : 18967, 'CoreATypeArmorKineticHardener' : 18969, 'CoreATypeArmorThermicHardener' : 18971, 'CoreXTypeArmorEMHardener' : 18973, 'CoreXTypeArmorExplosiveHardener' : 18975, 'CoreXTypeArmorKineticHardener' : 18977, 'CoreXTypeArmorThermicHardener' : 18979, 'CoreliCTypeSmallRemoteArmorRepairer' : 18981, 'CoreliBTypeSmallRemoteArmorRepairer' : 18983, 'CoreliATypeSmallRemoteArmorRepairer' : 18985, 'CorelumCTypeMediumRemoteArmorRepairer' : 18987, 'CorelumBTypeMediumRemoteArmorRepairer' : 18989, 'CorelumATypeMediumRemoteArmorRepairer' : 18991, 'CorpiiCTypeSmallArmorRepairer' : 18999, 'CorpiiBTypeSmallArmorRepairer' : 19001, 'CorpiiATypeSmallArmorRepairer' : 19003, 'CentiiCTypeSmallArmorRepairer' : 19005, 'CentiiBTypeSmallArmorRepairer' : 19007, 'CentiiATypeSmallArmorRepairer' : 19009, 'CoreliCTypeSmallArmorRepairer' : 19011, 'CoreliBTypeSmallArmorRepairer' : 19013, 'CoreliATypeSmallArmorRepairer' : 19015, 'CorpumCTypeMediumArmorRepairer' : 19017, 'CorpumBTypeMediumArmorRepairer' : 19019, 'CorpumATypeMediumArmorRepairer' : 19021, 'CentumCTypeMediumArmorRepairer' : 19023, 'CentumBTypeMediumArmorRepairer' : 19025, 'CentumATypeMediumArmorRepairer' : 19027, 'CorelumCTypeMediumArmorRepairer' : 19029, 'CorelumBTypeMediumArmorRepairer' : 19031, 'CorelumATypeMediumArmorRepairer' : 19033, 'CoreCTypeLargeArmorRepairer' : 19035, 'CoreBTypeLargeArmorRepairer' : 19036, 'CoreATypeLargeArmorRepairer' : 19037, 'CoreXTypeLargeArmorRepairer' : 19038, 'CorpusCTypeLargeArmorRepairer' : 19039, 'CentusCTypeLargeArmorRepairer' : 19040, 'CorpusBTypeLargeArmorRepairer' : 19041, 'CentusBTypeLargeArmorRepairer' : 19042, 'CorpusATypeLargeArmorRepairer' : 19043, 'CentusATypeLargeArmorRepairer' : 19044, 'CorpusXTypeLargeArmorRepairer' : 19045, 'CentusXTypeLargeArmorRepairer' : 19046, 'CentiiCTypeSmallRemoteArmorRepairer' : 19047, 'CentiiBTypeSmallRemoteArmorRepairer' : 19049, 'CentiiATypeSmallRemoteArmorRepairer' : 19051, 'CentumCTypeMediumRemoteArmorRepairer' : 19053, 'CentumBTypeMediumRemoteArmorRepairer' : 19055, 'CentumATypeMediumRemoteArmorRepairer' : 19057, 'CorpiiCTypeSmallRemoteCapacitorTransmitter' : 19065, 'CorpiiBTypeSmallRemoteCapacitorTransmitter' : 19067, 'CorpiiATypeSmallRemoteCapacitorTransmitter' : 19069, 'CentiiCTypeSmallRemoteCapacitorTransmitter' : 19071, 'CentiiBTypeSmallRemoteCapacitorTransmitter' : 19073, 'CentiiATypeSmallRemoteCapacitorTransmitter' : 19075, 'CorpumCTypeMediumRemoteCapacitorTransmitter' : 19077, 'CorpumBTypeMediumRemoteCapacitorTransmitter' : 19079, 'CorpumATypeMediumRemoteCapacitorTransmitter' : 19081, 'CentumCTypeMediumRemoteCapacitorTransmitter' : 19083, 'CentumBTypeMediumRemoteCapacitorTransmitter' : 19085, 'CentumATypeMediumRemoteCapacitorTransmitter' : 19087, 'CorpiiCTypeSmallNosferatu' : 19101, 'CorpiiBTypeSmallNosferatu' : 19103, 'CorpiiATypeSmallNosferatu' : 19105, 'CorpumCTypeMediumNosferatu' : 19107, 'CorpumBTypeMediumNosferatu' : 19109, 'CorpumATypeMediumNosferatu' : 19111, 'CorpusCTypeHeavyNosferatu' : 19113, 'CorpusBTypeHeavyNosferatu' : 19115, 'CorpusATypeHeavyNosferatu' : 19117, 'CorpusXTypeHeavyNosferatu' : 19119, 'GistiiCTypeSmallRemoteShieldBooster' : 19129, 'GistiiBTypeSmallRemoteShieldBooster' : 19131, 'GistiiATypeSmallRemoteShieldBooster' : 19133, 'PithiCTypeSmallRemoteShieldBooster' : 19135, 'PithiBTypeSmallRemoteShieldBooster' : 19137, 'PithiATypeSmallRemoteShieldBooster' : 19139, 'GistumCTypeMediumRemoteShieldBooster' : 19141, 'GistumBTypeMediumRemoteShieldBooster' : 19143, 'GistumATypeMediumRemoteShieldBooster' : 19145, 'PithumCTypeMediumRemoteShieldBooster' : 19147, 'PithumBTypeMediumRemoteShieldBooster' : 19149, 'PithumATypeMediumRemoteShieldBooster' : 19151, 'GistiiCTypeSmallShieldBooster' : 19169, 'GistiiBTypeSmallShieldBooster' : 19171, 'GistiiATypeSmallShieldBooster' : 19173, 'PithiCTypeSmallShieldBooster' : 19175, 'PithiBTypeSmallShieldBooster' : 19177, 'PithiATypeSmallShieldBooster' : 19179, 'GistumCTypeMediumShieldBooster' : 19181, 'GistumBTypeMediumShieldBooster' : 19183, 'GistumATypeMediumShieldBooster' : 19185, 'PithumCTypeMediumShieldBooster' : 19187, 'PithumBTypeMediumShieldBooster' : 19189, 'PithumATypeMediumShieldBooster' : 19191, 'GistCTypeLargeShieldBooster' : 19193, 'GistBTypeLargeShieldBooster' : 19194, 'GistCTypeXLargeShieldBooster' : 19195, 'GistBTypeXLargeShieldBooster' : 19196, 'GistATypeXLargeShieldBooster' : 19197, 'GistXTypeXLargeShieldBooster' : 19198, 'GistATypeLargeShieldBooster' : 19199, 'GistXTypeLargeShieldBooster' : 19200, 'PithCTypeLargeShieldBooster' : 19201, 'PithCTypeXLargeShieldBooster' : 19202, 'PithBTypeLargeShieldBooster' : 19203, 'PithBTypeXLargeShieldBooster' : 19204, 'PithATypeLargeShieldBooster' : 19205, 'PithATypeXLargeShieldBooster' : 19206, 'PithXTypeLargeShieldBooster' : 19207, 'PithXTypeXLargeShieldBooster' : 19208, 'PithumCTypeExplosiveDeflectionAmplifier' : 19209, 'PithumCTypeThermicDissipationAmplifier' : 19211, 'PithumCTypeKineticDeflectionAmplifier' : 19213, 'PithumCTypeEMWardAmplifier' : 19215, 'PithumBTypeExplosiveDeflectionAmplifier' : 19217, 'PithumBTypeThermicDissipationAmplifier' : 19219, 'PithumBTypeKineticDeflectionAmplifier' : 19221, 'PithumBTypeEMWardAmplifier' : 19223, 'PithumATypeExplosiveDeflectionAmplifier' : 19225, 'PithumATypeThermicDissipationAmplifier' : 19227, 'PithumATypeKineticDeflectionAmplifier' : 19229, 'PithumATypeEMWardAmplifier' : 19231, 'GistumCTypeExplosiveDeflectionAmplifier' : 19233, 'GistumBTypeExplosiveDeflectionAmplifier' : 19235, 'GistumCTypeThermicDissipationAmplifier' : 19237, 'GistumBTypeThermicDissipationAmplifier' : 19239, 'GistumCTypeKineticDeflectionAmplifier' : 19241, 'GistumBTypeKineticDeflectionAmplifier' : 19243, 'GistumCTypeEMWardAmplifier' : 19245, 'GistumBTypeEMWardAmplifier' : 19247, 'GistumATypeExplosiveDeflectionAmplifier' : 19249, 'GistumATypeThermicDissipationAmplifier' : 19251, 'GistumATypeKineticDeflectionAmplifier' : 19253, 'GistumATypeEMWardAmplifier' : 19255, 'GistCTypeKineticDeflectionField' : 19257, 'PithCTypeKineticDeflectionField' : 19258, 'GistCTypeExplosiveDeflectionField' : 19259, 'PithCTypeExplosiveDeflectionField' : 19260, 'GistCTypeThermicDissipationField' : 19261, 'PithCTypeThermicDissipationField' : 19262, 'GistCTypeEMWardField' : 19263, 'PithCTypeEMWardField' : 19264, 'GistBTypeEMWardField' : 19265, 'PithBTypeEMWardField' : 19266, 'GistBTypeThermicDissipationField' : 19267, 'PithBTypeThermicDissipationField' : 19268, 'GistBTypeExplosiveDeflectionField' : 19269, 'PithBTypeExplosiveDeflectionField' : 19270, 'GistBTypeKineticDeflectionField' : 19271, 'PithBTypeKineticDeflectionField' : 19272, 'GistATypeKineticDeflectionField' : 19273, 'PithATypeKineticDeflectionField' : 19274, 'GistATypeExplosiveDeflectionField' : 19275, 'PithATypeExplosiveDeflectionField' : 19276, 'GistATypeThermicDissipationField' : 19277, 'PithATypeThermicDissipationField' : 19278, 'GistATypeEMWardField' : 19279, 'PithATypeEMWardField' : 19280, 'GistXTypeEMWardField' : 19281, 'PithXTypeEMWardField' : 19282, 'GistXTypeThermicDissipationField' : 19283, 'PithXTypeThermicDissipationField' : 19284, 'GistXTypeExplosiveDeflectionField' : 19285, 'PithXTypeExplosiveDeflectionField' : 19286, 'GistXTypeKineticDeflectionField' : 19287, 'PithXTypeKineticDeflectionField' : 19288, 'PithCTypeShieldBoostAmplifier' : 19289, 'GistATypeShieldBoostAmplifier' : 19293, 'PithXTypeShieldBoostAmplifier' : 19295, 'GistCTypeShieldBoostAmplifier' : 19297, 'GistBTypeShieldBoostAmplifier' : 19299, 'GistXTypeShieldBoostAmplifier' : 19301, 'PithBTypeShieldBoostAmplifier' : 19303, 'PithATypeShieldBoostAmplifier' : 19311, 'CoreliCType5MNMicrowarpdrive' : 19313, 'CorelumCType50MNMicrowarpdrive' : 19315, 'CoreCType500MNMicrowarpdrive' : 19317, 'CoreliBType5MNMicrowarpdrive' : 19319, 'CorelumBType50MNMicrowarpdrive' : 19321, 'CoreBType500MNMicrowarpdrive' : 19323, 'CoreliAType5MNMicrowarpdrive' : 19325, 'CorelumAType50MNMicrowarpdrive' : 19327, 'CoreAType500MNMicrowarpdrive' : 19329, 'CoreXType500MNMicrowarpdrive' : 19335, 'GistiiCType5MNMicrowarpdrive' : 19337, 'GistumCType50MNMicrowarpdrive' : 19339, 'GistCType500MNMicrowarpdrive' : 19341, 'GistiiBType5MNMicrowarpdrive' : 19343, 'GistumBType50MNMicrowarpdrive' : 19345, 'GistBType500MNMicrowarpdrive' : 19347, 'GistiiAType5MNMicrowarpdrive' : 19349, 'GistumAType50MNMicrowarpdrive' : 19351, 'GistAType500MNMicrowarpdrive' : 19353, 'GistXType500MNMicrowarpdrive' : 19359, 'CorpumBTypeEnergizedEMMembrane' : 19361, 'CentumBTypeEnergizedEMMembrane' : 19363, 'Omnipotent' : 19430, 'PhaseServitor' : 19459, 'RegularMercenaryNavigator' : 19466, 'LongbowServitor' : 19468, 'ThukkerModifiedMediumShieldExtender' : 19489, 'ThukkerModified100MNAfterburner' : 19491, 'ZorsCustomNavigationLink' : 19500, 'HighgradeTalismanAlpha' : 19534, 'HighgradeTalismanBeta' : 19535, 'HighgradeTalismanGamma' : 19536, 'HighgradeTalismanDelta' : 19537, 'HighgradeTalismanEpsilon' : 19538, 'HighgradeTalismanOmega' : 19539, 'HighgradeSnakeAlpha' : 19540, 'InherentImplantsNobleRepairSystemsRS605' : 19547, 'InherentImplantsNobleRemoteArmorRepairSystemsRA705' : 19548, 'InherentImplantsNobleMechanicMC805' : 19549, 'InherentImplantsNobleHullUpgradesHG1005' : 19550, 'HighgradeSnakeBeta' : 19551, 'HighgradeSnakeGamma' : 19553, 'HighgradeSnakeDelta' : 19554, 'HighgradeSnakeEpsilon' : 19555, 'HighgradeSnakeOmega' : 19556, 'RegularMercenaryScout' : 19583, 'DartServitor' : 19594, 'FestivalLauncher' : 19660, 'InherentImplantsNobleRepairProficiencyRP903' : 19684, 'InherentImplantsNobleRepairProficiencyRP905' : 19685, 'EifyrandCoGunslingerMotionPredictionMR705' : 19686, 'EifyrandCoGunslingerSurgicalStrikeSS905' : 19687, 'EifyrandCoGunslingerLargeProjectileTurretLP1005' : 19688, 'EifyrandCoGunslingerMediumProjectileTurretMP805' : 19689, 'EifyrandCoGunslingerSmallProjectileTurretSP605' : 19690, 'InherentImplantsLancerSmallEnergyTurretSE605' : 19691, 'InherentImplantsLancerControlledBurstsCB705' : 19692, 'InherentImplantsLancerGunneryRF905' : 19693, 'InherentImplantsLancerLargeEnergyTurretLE1005' : 19694, 'InherentImplantsLancerMediumEnergyTurretME805' : 19695, 'ZainouDeadeyeSharpshooterST905' : 19696, 'ZainouDeadeyeTrajectoryAnalysisTA705' : 19697, 'ZainouDeadeyeLargeHybridTurretLH1005' : 19698, 'ZainouDeadeyeMediumHybridTurretMH805' : 19699, 'ZainouDeadeyeSmallHybridTurretSH605' : 19700, 'TransportShips' : 19719, 'Revelation' : 19720, 'Naglfar' : 19722, 'Moros' : 19724, 'Phoenix' : 19726, 'CruiseMissileLauncherII' : 19739, 'Sigil' : 19744, 'LongDistanceJamming' : 19759, 'FrequencyModulation' : 19760, 'SignalDispersion' : 19761, 'SignalSuppression' : 19766, 'TurretDestabilization' : 19767, 'TargetPainterII' : 19806, 'PartialWeaponNavigation' : 19808, 'PeripheralWeaponNavigationDiameter' : 19810, 'ParallelWeaponNavigationTransmitter' : 19812, 'PhasedWeaponNavigationArrayGenerationExtron' : 19814, 'TargetPainting' : 19921, 'SignatureFocusing' : 19922, 'InducedIonFieldECMI' : 19923, 'CompulsiveIonFieldECMI' : 19925, 'HypnosIonFieldECMI' : 19927, 'InducedMultispectralECMI' : 19929, 'CompulsiveMultispectralECMI' : 19931, 'HypnosMultispectralECMI' : 19933, 'LanguidPhaseInversionECMI' : 19935, 'HaltingPhaseInversionECMI' : 19937, 'EnfeeblingPhaseInversionECMI' : 19939, 'FZ3aDisruptiveSpatialDestabilizerECM' : 19942, 'CZ4ConcussiveSpatialDestabilizerECM' : 19944, 'BZ5NeutralizingSpatialDestabilizerECM' : 19946, 'GloomWhiteNoiseECM' : 19948, 'ShadeWhiteNoiseECM' : 19950, 'UmbraWhiteNoiseECM' : 19952, 'ShadowIronChargeS' : 19962, 'ShadowTungstenChargeS' : 19964, 'ShadowIridiumChargeS' : 19966, 'ShadowLeadChargeS' : 19968, 'ArchAngelCarbonizedLeadS' : 19970, 'ArchAngelNuclearS' : 19972, 'ArchAngelProtonS' : 19974, 'ArchAngelDepletedUraniumS' : 19976, 'SanshasRadioS' : 19978, 'SanshasMicrowaveS' : 19980, 'SanshasInfraredS' : 19982, 'SanshasStandardS' : 19984, 'ArchAngelTitaniumSabotS' : 19986, 'ArchAngelFusionS' : 19988, 'ArchAngelPhasedPlasmaS' : 19990, 'ArchAngelEMPS' : 19992, 'ArchAngelCarbonizedLeadM' : 19994, 'ArchAngelNuclearM' : 19996, 'ArchAngelProtonM' : 19998, 'ArchAngelDepletedUraniumM' : 20000, 'ArchAngelTitaniumSabotM' : 20002, 'ArchAngelFusionM' : 20004, 'ArchAngelPhasedPlasmaM' : 20006, 'ArchAngelEMPM' : 20008, 'SanshasRadioM' : 20010, 'SanshasMicrowaveM' : 20012, 'SanshasInfraredM' : 20014, 'SanshasStandardM' : 20016, 'SanshasRadioL' : 20018, 'SanshasMicrowaveL' : 20020, 'SanshasInfraredL' : 20022, 'SanshasStandardL' : 20024, 'SanshasRadioXL' : 20026, 'SanshasMicrowaveXL' : 20028, 'SanshasInfraredXL' : 20030, 'SanshasStandardXL' : 20032, 'ShadowThoriumChargeS' : 20034, 'ShadowUraniumChargeS' : 20036, 'ShadowPlutoniumChargeS' : 20038, 'ShadowAntimatterChargeS' : 20040, 'ShadowIronChargeM' : 20043, 'ShadowTungstenChargeM' : 20045, 'ShadowIridiumChargeM' : 20047, 'ShadowLeadChargeM' : 20049, 'ShadowThoriumChargeM' : 20051, 'ShadowUraniumChargeM' : 20053, 'ShadowPlutoniumChargeM' : 20055, 'ShadowAntimatterChargeM' : 20057, 'ArmoredWarfareLinkDamageControlI' : 20069, 'SkirmishWarfareLinkEvasiveManeuversI' : 20070, 'HighgradeCrystalAlpha' : 20121, 'SiegeWarfareLinkActiveShieldingI' : 20124, 'Curse' : 20125, 'StealthBombersFakeSkill' : 20127, 'CivilianPulseCrystal' : 20128, 'CivilianAutocannonAmmo' : 20130, 'CivilianRailgunCharge' : 20132, 'CivilianBlasterCharge' : 20134, 'HeavyAssaultMissileLauncherI' : 20138, 'HighgradeCrystalBeta' : 20157, 'HighgradeCrystalGamma' : 20158, 'HighgradeCrystalDelta' : 20159, 'HighgradeCrystalEpsilon' : 20160, 'HighgradeCrystalOmega' : 20161, 'Providence' : 20183, 'Charon' : 20185, 'Obelisk' : 20187, 'Fenrir' : 20189, 'QAShieldExtender' : 20197, 'DreadGuristasECMMultispectralJammer' : 20199, 'KaikkasModifiedECMMultispectralJammer' : 20201, 'ThonsModifiedECMMultispectralJammer' : 20203, 'VepasModifiedECMMultispectralJammer' : 20205, 'EstamelsModifiedECMMultispectralJammer' : 20207, 'RocketSpecialization' : 20209, 'LightMissileSpecialization' : 20210, 'HeavyMissileSpecialization' : 20211, 'CruiseMissileSpecialization' : 20212, 'TorpedoSpecialization' : 20213, 'ExtraRadarECCMScanningArrayI' : 20214, 'IncrementalRadarECCMScanningArrayI' : 20216, 'ConjunctiveRadarECCMScanningArrayI' : 20218, 'ExtraLadarECCMScanningArrayI' : 20220, 'IncrementalLadarECCMScanningArrayI' : 20222, 'ConjunctiveLadarECCMScanningArrayI' : 20224, 'ExtraGravimetricECCMScanningArrayI' : 20226, 'IncrementalGravimetricECCMScanningArrayI' : 20228, 'ConjunctiveGravimetricECCMScanningArrayI' : 20230, 'ExtraMagnetometricECCMScanningArrayI' : 20232, 'IncrementalMagnetometricECCMScanningArrayI' : 20234, 'ConjunctiveMagnetometricECCMScanningArrayI' : 20236, 'SecureGravimetricBackupClusterI' : 20238, 'ShieldedGravimetricBackupClusterI' : 20240, 'WardedGravimetricBackupClusterI' : 20242, 'SecureLadarBackupClusterI' : 20244, 'ShieldedLadarBackupClusterI' : 20246, 'WardedLadarBackupClusterI' : 20248, 'SecureMagnetometricBackupClusterI' : 20250, 'ShieldedMagnetometricBackupClusterI' : 20252, 'WardedMagnetometricBackupClusterI' : 20254, 'SecureRadarBackupClusterI' : 20260, 'ShieldedRadarBackupClusterI' : 20262, 'WardedRadarBackupClusterI' : 20264, 'SiegeModuleI' : 20280, 'MjolnirHeavyAssaultMissile' : 20306, 'ScourgeHeavyAssaultMissile' : 20307, 'InfernoHeavyAssaultMissile' : 20308, 'GuidedMissilePrecision' : 20312, 'TargetNavigationPrediction' : 20314, 'WarheadUpgrades' : 20315, 'CapitalEnergyTurret' : 20327, 'AdvancedSpaceshipCommand' : 20342, '50mmSteelPlatesII' : 20343, '100mmSteelPlatesII' : 20345, '200mmSteelPlatesII' : 20347, '400mmSteelPlatesII' : 20349, '800mmSteelPlatesII' : 20351, '1600mmSteelPlatesII' : 20353, 'NumonFamilyHeirloom' : 20358, 'SmugglersMaskI' : 20367, 'WhelanMachorinsBallisticSmartlink' : 20371, 'InformationWarfareLinkReconOperationI' : 20405, 'InformationWarfareLinkElectronicSuperiorityI' : 20406, 'SkirmishWarfareLinkRapidDeploymentI' : 20408, 'ArmoredWarfareLinkPassiveDefenseI' : 20409, 'TalocanTechnology' : 20433, 'OgdinsEyeCoordinationEnhancer' : 20443, 'DualGigaPulseLaserI' : 20444, 'DualGigaBeamLaserI' : 20446, 'Dual1000mmRailgunI' : 20448, 'IonSiegeBlasterCannonI' : 20450, '6x2500mmRepeatingCannonI' : 20452, 'Quad3500mmSiegeArtilleryI' : 20454, 'ArmoredWarfare' : 20494, 'InformationWarfare' : 20495, 'HighgradeHaloAlpha' : 20498, 'HighgradeSlaveAlpha' : 20499, 'HighgradeHaloBeta' : 20500, 'HighgradeSlaveBeta' : 20501, 'HighgradeHaloDelta' : 20502, 'HighgradeSlaveDelta' : 20503, 'HighgradeHaloEpsilon' : 20504, 'HighgradeSlaveEpsilon' : 20505, 'HighgradeHaloGamma' : 20506, 'HighgradeSlaveGamma' : 20507, 'HighgradeHaloOmega' : 20508, 'HighgradeSlaveOmega' : 20509, 'SiegeWarfareLinkShieldHarmonizingI' : 20514, 'AmarrFreighter' : 20524, 'AmarrDreadnought' : 20525, 'CaldariFreighter' : 20526, 'GallenteFreighter' : 20527, 'MinmatarFreighter' : 20528, 'CaldariDreadnought' : 20530, 'GallenteDreadnought' : 20531, 'MinmatarDreadnought' : 20532, 'CapitalShips' : 20533, 'CitadelTorpedoLauncherI' : 20539, 'SmallSiestaCapacitorBooster' : 20555, 'MediumGattotteCapacitorBooster' : 20557, 'HeavyBraveCapacitorBooster' : 20559, 'PrototypePonchoCloakingDeviceI' : 20561, 'SmokescreenCovertOpsCloakingDeviceII' : 20563, 'ImprovedGuiseCloakingDeviceII' : 20565, 'DyadCoProcessorI' : 20567, 'DeuceCoProcessorI' : 20569, 'MarshallIonFieldProjector' : 20573, 'GamblerPhaseInverter' : 20575, 'PlundererSpatialDestabilizer' : 20577, 'HeistWhiteNoiseGenerator' : 20579, 'GhostECMBurst' : 20581, '150mmMusketRailgun' : 20587, '250mmFlintlockRailgun' : 20589, '425mmPopperRailgun' : 20591, 'BalefireRocketLauncher' : 20593, 'GallowsLightMissileLauncher' : 20595, 'PickaxeRapidLightMissileLauncher' : 20597, 'UndertakerHeavyMissileLauncher' : 20599, 'NooseCruiseMissileLauncher' : 20601, 'BarrageTorpedoLauncher' : 20603, 'WhiskeyExplosiveDeflectionAmplifier' : 20605, 'HighNoonThermicDissipationAmplifier' : 20607, 'CactusModifiedKineticDeflectionAmplifier' : 20609, 'ProspectorEMWardAmplifier' : 20611, 'GlycerineShieldBoostAmplifier' : 20613, 'SmallSettlerShieldBooster' : 20617, 'MediumLoneRangerShieldBooster' : 20619, 'LargeOutlawShieldBooster' : 20621, 'XLargeLocomotiveShieldBooster' : 20623, 'SmallWolfShieldExtender' : 20625, 'SmallTrapperShieldExtender' : 20627, 'MediumCanyonShieldExtender' : 20629, 'LargeSheriffShieldExtender' : 20631, 'NuggetKineticDeflectionField' : 20633, 'DesertHeatThermicDissipationField' : 20635, 'PosseAdaptiveInvulnerabilityField' : 20637, 'PoacherEMWardField' : 20639, 'SnakeEyesExplosiveDeflectionField' : 20641, 'MichisExcavationAugmentor' : 20700, 'CapitalArmorRepairerI' : 20701, 'CapitalShieldBoosterI' : 20703, 'ArchAngelCarbonizedLeadL' : 20721, 'ArchAngelNuclearL' : 20723, 'ArchAngelProtonL' : 20725, 'ArchAngelDepletedUraniumL' : 20727, 'ArchAngelTitaniumSabotL' : 20729, 'ArchAngelFusionL' : 20731, 'ArchAngelPhasedPlasmaL' : 20733, 'ArchAngelEMPL' : 20735, 'ArchAngelCarbonizedLeadXL' : 20737, 'ArchAngelDepletedUraniumXL' : 20739, 'ArchAngelEMPXL' : 20741, 'ArchAngelFusionXL' : 20743, 'ArchAngelNuclearXL' : 20745, 'ArchAngelPhasedPlasmaXL' : 20747, 'ArchAngelProtonXL' : 20749, 'ArchAngelTitaniumSabotXL' : 20751, 'DominationCarbonizedLeadS' : 20753, 'DominationNuclearS' : 20755, 'DominationProtonS' : 20757, 'DominationDepletedUraniumS' : 20759, 'DominationTitaniumSabotS' : 20761, 'DominationFusionS' : 20763, 'DominationPhasedPlasmaS' : 20765, 'DominationEMPS' : 20767, 'DominationCarbonizedLeadM' : 20769, 'DominationNuclearM' : 20771, 'DominationProtonM' : 20773, 'DominationDepletedUraniumM' : 20775, 'DominationTitaniumSabotM' : 20777, 'DominationFusionM' : 20779, 'DominationPhasedPlasmaM' : 20781, 'DominationEMPM' : 20783, 'DominationCarbonizedLeadL' : 20785, 'DominationNuclearL' : 20787, 'DominationProtonL' : 20789, 'DominationDepletedUraniumL' : 20791, 'DominationTitaniumSabotL' : 20793, 'DominationFusionL' : 20795, 'DominationPhasedPlasmaL' : 20797, 'DominationEMPL' : 20799, 'DominationCarbonizedLeadXL' : 20801, 'DominationDepletedUraniumXL' : 20803, 'DominationEMPXL' : 20805, 'DominationFusionXL' : 20807, 'DominationNuclearXL' : 20809, 'DominationPhasedPlasmaXL' : 20811, 'DominationProtonXL' : 20813, 'DominationTitaniumSabotXL' : 20815, 'SanshasUltravioletS' : 20817, 'SanshasXrayS' : 20819, 'SanshasGammaS' : 20821, 'SanshasMultifrequencyS' : 20823, 'SanshasUltravioletM' : 20825, 'SanshasXrayM' : 20827, 'SanshasGammaM' : 20829, 'SanshasMultifrequencyM' : 20831, 'SanshasUltravioletL' : 20833, 'SanshasXrayL' : 20835, 'SanshasGammaL' : 20837, 'SanshasMultifrequencyL' : 20839, 'SanshasUltravioletXL' : 20841, 'SanshasXrayXL' : 20843, 'SanshasGammaXL' : 20845, 'SanshasMultifrequencyXL' : 20847, 'TrueSanshasRadioS' : 20849, 'TrueSanshasMicrowaveS' : 20851, 'TrueSanshasInfraredS' : 20853, 'TrueSanshasStandardS' : 20855, 'TrueSanshasUltravioletS' : 20857, 'TrueSanshasXrayS' : 20859, 'TrueSanshasGammaS' : 20861, 'TrueSanshasMultifrequencyS' : 20863, 'TrueSanshasRadioM' : 20865, 'TrueSanshasMicrowaveM' : 20867, 'TrueSanshasInfraredM' : 20869, 'TrueSanshasStandardM' : 20871, 'TrueSanshasUltravioletM' : 20873, 'TrueSanshasXrayM' : 20875, 'TrueSanshasGammaM' : 20877, 'TrueSanshasMultifrequencyM' : 20879, 'TrueSanshasRadioL' : 20881, 'TrueSanshasMicrowaveL' : 20883, 'TrueSanshasInfraredL' : 20885, 'TrueSanshasStandardL' : 20887, 'TrueSanshasUltravioletL' : 20889, 'TrueSanshasXrayL' : 20891, 'TrueSanshasGammaL' : 20893, 'TrueSanshasMultifrequencyL' : 20895, 'TrueSanshasRadioXL' : 20897, 'TrueSanshasMicrowaveXL' : 20899, 'TrueSanshasInfraredXL' : 20901, 'TrueSanshasStandardXL' : 20903, 'TrueSanshasUltravioletXL' : 20905, 'TrueSanshasXrayXL' : 20907, 'TrueSanshasGammaXL' : 20909, 'TrueSanshasMultifrequencyXL' : 20911, 'ShadowIronChargeL' : 20913, 'ShadowTungstenChargeL' : 20915, 'ShadowIridiumChargeL' : 20917, 'ShadowLeadChargeL' : 20919, 'ShadowThoriumChargeL' : 20921, 'ShadowUraniumChargeL' : 20923, 'ShadowPlutoniumChargeL' : 20925, 'ShadowAntimatterChargeL' : 20927, 'ShadowAntimatterChargeXL' : 20929, 'ShadowIridiumChargeXL' : 20931, 'ShadowIronChargeXL' : 20933, 'ShadowLeadChargeXL' : 20935, 'ShadowPlutoniumChargeXL' : 20937, 'ShadowThoriumChargeXL' : 20939, 'ShadowTungstenChargeXL' : 20941, 'ShadowUraniumChargeXL' : 20943, 'GuardianIronChargeS' : 20945, 'GuardianTungstenChargeS' : 20947, 'GuardianIridiumChargeS' : 20949, 'GuardianLeadChargeS' : 20951, 'GuardianThoriumChargeS' : 20953, 'GuardianUraniumChargeS' : 20955, 'GuardianPlutoniumChargeS' : 20957, 'GuardianAntimatterChargeS' : 20959, 'GuardianIronChargeM' : 20961, 'GuardianTungstenChargeM' : 20963, 'GuardianIridiumChargeM' : 20965, 'GuardianLeadChargeM' : 20967, 'GuardianThoriumChargeM' : 20969, 'GuardianUraniumChargeM' : 20971, 'GuardianPlutoniumChargeM' : 20973, 'GuardianAntimatterChargeM' : 20975, 'GuardianIronChargeL' : 20977, 'GuardianTungstenChargeL' : 20979, 'GuardianIridiumChargeL' : 20981, 'GuardianLeadChargeL' : 20983, 'GuardianThoriumChargeL' : 20985, 'GuardianUraniumChargeL' : 20987, 'GuardianPlutoniumChargeL' : 20989, 'GuardianAntimatterChargeL' : 20991, 'GuardianAntimatterChargeXL' : 20993, 'GuardianIridiumChargeXL' : 20995, 'GuardianIronChargeXL' : 20997, 'GuardianLeadChargeXL' : 20999, 'GuardianPlutoniumChargeXL' : 21001, 'GuardianThoriumChargeXL' : 21003, 'GuardianTungstenChargeXL' : 21005, 'GuardianUraniumChargeXL' : 21007, 'OshimasSystemScanner' : 21047, 'ShieldCompensation' : 21059, 'RapidLaunch' : 21071, 'CynosuralFieldGeneratorI' : 21096, 'GorusShuttle' : 21097, 'BloodRadioS' : 21194, 'BloodMicrowaveS' : 21196, 'BloodInfraredS' : 21198, 'BloodStandardS' : 21200, 'BloodUltravioletS' : 21202, 'BloodXrayS' : 21204, 'BloodGammaS' : 21206, 'BloodMultifrequencyS' : 21208, 'BloodMicrowaveM' : 21210, 'BloodInfraredM' : 21212, 'BloodStandardM' : 21214, 'BloodUltravioletM' : 21216, 'BloodXrayM' : 21218, 'BloodGammaM' : 21220, 'BloodMultifrequencyM' : 21222, 'BloodRadioL' : 21224, 'BloodMicrowaveL' : 21226, 'BloodInfraredL' : 21228, 'BloodStandardL' : 21230, 'BloodUltravioletL' : 21232, 'BloodXrayL' : 21234, 'BloodGammaL' : 21236, 'BloodMultifrequencyL' : 21238, 'BloodRadioXL' : 21240, 'BloodMicrowaveXL' : 21242, 'BloodInfraredXL' : 21244, 'BloodStandardXL' : 21246, 'BloodUltravioletXL' : 21248, 'BloodXrayXL' : 21250, 'BloodGammaXL' : 21252, 'BloodMultifrequencyXL' : 21254, 'DarkBloodRadioS' : 21256, 'DarkBloodMicrowaveS' : 21258, 'DarkBloodInfraredS' : 21260, 'DarkBloodStandardS' : 21262, 'DarkBloodUltravioletS' : 21264, 'DarkBloodXrayS' : 21266, 'DarkBloodGammaS' : 21268, 'DarkBloodMultifrequencyS' : 21270, 'DarkBloodRadioM' : 21272, 'DarkBloodMicrowaveM' : 21274, 'DarkBloodInfraredM' : 21276, 'DarkBloodStandardM' : 21278, 'DarkBloodUltravioletM' : 21280, 'DarkBloodXrayM' : 21282, 'DarkBloodGammaM' : 21284, 'DarkBloodMultifrequencyM' : 21286, 'DarkBloodRadioL' : 21288, 'DarkBloodMicrowaveL' : 21290, 'DarkBloodInfraredL' : 21292, 'DarkBloodStandardL' : 21294, 'DarkBloodUltravioletL' : 21296, 'DarkBloodXrayL' : 21298, 'DarkBloodGammaL' : 21300, 'DarkBloodMultifrequencyL' : 21302, 'DarkBloodRadioXL' : 21304, 'DarkBloodMicrowaveXL' : 21306, 'DarkBloodInfraredXL' : 21308, 'DarkBloodStandardXL' : 21310, 'DarkBloodUltravioletXL' : 21312, 'DarkBloodXrayXL' : 21314, 'DarkBloodGammaXL' : 21316, 'DarkBloodMultifrequencyXL' : 21318, 'GuristasIronChargeS' : 21320, 'GuristasTungstenChargeS' : 21322, 'GuristasIridiumChargeS' : 21324, 'GuristasLeadChargeS' : 21326, 'GuristasThoriumChargeS' : 21328, 'GuristasUraniumChargeS' : 21330, 'GuristasPlutoniumChargeS' : 21332, 'GuristasAntimatterChargeS' : 21334, 'GuristasIronChargeM' : 21336, 'GuristasTungstenChargeM' : 21338, 'GuristasIridiumChargeM' : 21340, 'GuristasLeadChargeM' : 21342, 'GuristasThoriumChargeM' : 21344, 'GuristasUraniumChargeM' : 21346, 'GuristasPlutoniumChargeM' : 21348, 'GuristasAntimatterChargeM' : 21350, 'GuristasIronChargeL' : 21352, 'GuristasTungstenChargeL' : 21354, 'GuristasIridiumChargeL' : 21356, 'GuristasLeadChargeL' : 21358, 'GuristasThoriumChargeL' : 21360, 'GuristasUraniumChargeL' : 21362, 'GuristasPlutoniumChargeL' : 21364, 'GuristasAntimatterChargeL' : 21366, 'GuristasAntimatterChargeXL' : 21368, 'GuristasIridiumChargeXL' : 21370, 'GuristasIronChargeXL' : 21372, 'GuristasLeadChargeXL' : 21374, 'GuristasPlutoniumChargeXL' : 21376, 'GuristasThoriumChargeXL' : 21378, 'GuristasTungstenChargeXL' : 21380, 'GuristasUraniumChargeXL' : 21382, 'DreadGuristasIronChargeS' : 21384, 'DreadGuristasTungstenChargeS' : 21386, 'DreadGuristasIridiumChargeS' : 21388, 'DreadGuristasLeadChargeS' : 21390, 'DreadGuristasThoriumChargeS' : 21392, 'DreadGuristasUraniumChargeS' : 21394, 'DreadGuristasPlutoniumChargeS' : 21396, 'DreadGuristasAntimatterChargeS' : 21398, 'DreadGuristasIronChargeM' : 21400, 'DreadGuristasTungstenChargeM' : 21402, 'DreadGuristasIridiumChargeM' : 21404, 'DreadGuristasLeadChargeM' : 21406, 'DreadGuristasThoriumChargeM' : 21408, 'DreadGuristasUraniumChargeM' : 21410, 'DreadGuristasPlutoniumChargeM' : 21412, 'DreadGuristasAntimatterChargeM' : 21414, 'DreadGuristasIronChargeL' : 21416, 'DreadGuristasTungstenChargeL' : 21418, 'DreadGuristasIridiumChargeL' : 21420, 'DreadGuristasLeadChargeL' : 21422, 'DreadGuristasThoriumChargeL' : 21424, 'DreadGuristasUraniumChargeL' : 21426, 'DreadGuristasPlutoniumChargeL' : 21428, 'DreadGuristasAntimatterChargeL' : 21430, 'DreadGuristasAntimatterChargeXL' : 21432, 'DreadGuristasIridiumChargeXL' : 21434, 'DreadGuristasIronChargeXL' : 21436, 'DreadGuristasLeadChargeXL' : 21438, 'DreadGuristasPlutoniumChargeXL' : 21440, 'DreadGuristasThoriumChargeXL' : 21442, 'DreadGuristasTungstenChargeXL' : 21444, 'DreadGuristasUraniumChargeXL' : 21446, 'BloodRadioM' : 21450, '1MNAnalogBoosterAfterburner' : 21470, '10MNAnalogBoosterAfterburner' : 21472, '100MNAnalogBoosterAfterburner' : 21474, '5MNDigitalBoosterMicrowarpdrive' : 21476, '50MNDigitalBoosterMicrowarpdrive' : 21478, '500MNDigitalBoosterMicrowarpdrive' : 21480, 'BallisticPurgeTargetingSystemI' : 21482, 'FullDuplexBallisticTargetingSystem' : 21484, 'KindredStabilizationActuatorI' : 21486, 'MonophonicStabilizationActuatorI' : 21488, 'SyntheticHullConversionOverdriveInjector' : 21491, 'LimitedExpandedArchiverCargo' : 21493, 'SyntheticHullConversionReinforcedBulkheads' : 21496, 'SyntheticHullConversionInertiaStabilizers' : 21498, 'SyntheticHullConversionNanofiberStructure' : 21500, 'SmallIntegrativeHullRepairUnit' : 21504, 'MediumIntegrativeHullRepairUnit' : 21506, 'LargeIntegrativeHullRepairUnit' : 21508, 'ProcessInterruptiveWarpDisruptor' : 21510, 'DelineativeWarpScrambler' : 21512, 'GravimetricFirewall' : 21521, 'LadarFirewall' : 21523, 'MagnetometricFirewall' : 21525, 'MultiSensorFirewall' : 21527, 'RADARFirewall' : 21529, 'MicroDegenerativeConcussionBombI' : 21532, 'SmallDegenerativeConcussionBombI' : 21534, 'MediumDegenerativeConcussionBombI' : 21536, 'LargeDegenerativeConcussionBombI' : 21538, 'InceptionTargetPainterI' : 21540, 'N1NeonTypeRocketBay' : 21542, '200mmLightJoltAutocannonI' : 21545, '250mmLightJoltArtilleryI' : 21547, '280mmJoltArtilleryI' : 21549, '425mmMediumJoltAutocannonI' : 21551, '650mmMediumJoltArtilleryI' : 21553, '720mmJoltArtilleryI' : 21555, '800mmHeavyJoltRepeatingCannonI' : 21557, '1200mmHeavyJoltArtilleryI' : 21559, '1400mmJoltArtilleryI' : 21561, 'CynosuralFieldTheory' : 21603, 'InherentImplantsNobleHullUpgradesHG1008' : 21606, 'JumpFuelConservation' : 21610, 'JumpDriveCalibration' : 21611, 'GuristasShuttle' : 21628, 'VespaII' : 21638, 'ValkyrieII' : 21640, 'CapitalHybridTurret' : 21666, 'CapitalProjectileTurret' : 21667, 'CitadelTorpedoes' : 21668, 'Hacking' : 21718, 'CaldariNavyAntimatterChargeL' : 21740, 'SleeperTechnology' : 21789, 'CaldariEncryptionMethods' : 21790, 'MinmatarEncryptionMethods' : 21791, 'CapitalShieldOperation' : 21802, 'CapitalRepairSystems' : 21803, 'TaireisModifiedCapRecharger' : 21816, 'RayseresModifiedCapRecharger' : 21817, 'AhremensModifiedCapRecharger' : 21818, 'DraclirasModifiedCapRecharger' : 21819, 'GallenteMiningLaser' : 21841, 'CivilianArmorRepairer' : 21853, 'CivilianExpandedCargohold' : 21855, '1MNCivilianAfterburner' : 21857, 'NovaHeavyAssaultMissile' : 21867, 'SiegeWarfareMindlink' : 21888, 'InformationWarfareMindlink' : 21889, 'SkirmishWarfareMindlink' : 21890, 'RepublicFleetEMPL' : 21894, 'RepublicFleetEMPM' : 21896, 'RepublicFleetEMPS' : 21898, 'RepublicFleetEMPXL' : 21900, 'RepublicFleetFusionL' : 21902, 'RepublicFleetFusionM' : 21904, 'RepublicFleetFusionS' : 21906, 'RepublicFleetFusionXL' : 21908, 'RepublicFleetNuclearL' : 21910, 'RepublicFleetNuclearM' : 21912, 'RepublicFleetNuclearS' : 21914, 'RepublicFleetNuclearXL' : 21916, 'RepublicFleetPhasedPlasmaL' : 21918, 'RepublicFleetPhasedPlasmaXL' : 21920, 'RepublicFleetPhasedPlasmaM' : 21922, 'RepublicFleetPhasedPlasmaS' : 21924, 'RepublicFleetProtonL' : 21926, 'RepublicFleetProtonM' : 21928, 'RepublicFleetProtonS' : 21931, 'RepublicFleetProtonXL' : 21933, 'RepublicFleetTitaniumSabotL' : 21935, 'RepublicFleetTitaniumSabotM' : 21937, 'RepublicFleetTitaniumSabotS' : 21939, 'RepublicFleetTitaniumSabotXL' : 21941, 'TacticalWeaponReconfiguration' : 22043, 'MidgradeCrystalAlpha' : 22107, 'MidgradeCrystalBeta' : 22108, 'MidgradeCrystalDelta' : 22109, 'MidgradeCrystalEpsilon' : 22110, 'MidgradeCrystalGamma' : 22111, 'MidgradeCrystalOmega' : 22112, 'MidgradeHaloAlpha' : 22113, 'MidgradeHaloBeta' : 22114, 'MidgradeHaloDelta' : 22115, 'MidgradeHaloEpsilon' : 22116, 'MidgradeHaloGamma' : 22117, 'MidgradeHaloOmega' : 22118, 'MidgradeSlaveAlpha' : 22119, 'MidgradeSlaveBeta' : 22120, 'MidgradeSlaveDelta' : 22121, 'MidgradeSlaveEpsilon' : 22122, 'MidgradeSlaveGamma' : 22123, 'MidgradeSlaveOmega' : 22124, 'MidgradeSnakeAlpha' : 22125, 'MidgradeSnakeBeta' : 22126, 'MidgradeSnakeDelta' : 22127, 'MidgradeSnakeEpsilon' : 22128, 'MidgradeSnakeGamma' : 22129, 'MidgradeSnakeOmega' : 22130, 'MidgradeTalismanAlpha' : 22131, 'MidgradeTalismanBeta' : 22133, 'MidgradeTalismanDelta' : 22134, 'MidgradeTalismanEpsilon' : 22135, 'MidgradeTalismanGamma' : 22136, 'MidgradeTalismanOmega' : 22137, 'TESTDroneSkill' : 22172, 'DataAnalyzerI' : 22175, 'RelicAnalyzerI' : 22177, 'ArmoredWarfareLinkRapidRepairI' : 22227, 'SiegeWarfareLinkShieldEfficiencyI' : 22228, 'IceHarvesterII' : 22229, 'CapitalShipConstruction' : 22242, 'BallisticControlSystemII' : 22291, 'DaemonDataAnalyzerI' : 22325, 'CodexDataAnalyzerI' : 22327, 'AlphaDataAnalyzerI' : 22329, 'LibramDataAnalyzerI' : 22331, 'TalocanDataAnalyzerI' : 22333, 'SleeperDataAnalyzerI' : 22335, 'TerranDataAnalyzerI' : 22337, 'TetrimonDataAnalyzerI' : 22339, 'Redeemer' : 22428, 'Sin' : 22430, 'Widow' : 22436, 'Panther' : 22440, 'Eos' : 22442, 'Sleipnir' : 22444, 'Vulture' : 22446, 'Absolution' : 22448, 'Heretic' : 22452, 'Sabre' : 22456, 'Eris' : 22460, 'Flycatcher' : 22464, 'Astarte' : 22466, 'Claymore' : 22468, 'Nighthawk' : 22470, 'Damnation' : 22474, 'WarpProhibitorI' : 22476, 'InherentImplantsHighwallMiningMX1003' : 22534, 'InherentImplantsHighwallMiningMX1005' : 22535, 'MiningForeman' : 22536, 'Orecompressionthingie' : 22537, 'MiningDroneSpecialization' : 22541, 'MiningLaserUpgradeI' : 22542, 'Hulk' : 22544, 'Skiff' : 22546, 'Mackinaw' : 22548, 'Exhumers' : 22551, 'MiningDirector' : 22552, 'MiningForemanLinkHarvesterCapacitorEfficiencyI' : 22553, 'MiningForemanLinkMiningLaserFieldEnhancementI' : 22555, 'MiningForemanLinkLaserOptimizationI' : 22557, 'MiningForemanMindlink' : 22559, 'TrueSanshaRocketLauncher' : 22564, 'TrueSanshaLightMissileLauncher' : 22565, 'TrueSanshaRapidLightMissileLauncher' : 22566, 'TrueSanshaHeavyMissileLauncher' : 22567, 'TrueSanshaCruiseMissileLauncher' : 22568, 'TrueSanshaTorpedoLauncher' : 22569, 'InherentImplantsYetiIceHarvestingIH1003' : 22570, 'InherentImplantsYetiIceHarvestingIH1005' : 22571, 'PraetorEV900' : 22572, 'WarpScramblingDrone' : 22574, 'IceHarvesterUpgradeI' : 22576, 'MiningUpgrades' : 22578, 'ErinMiningLaserUpgrade' : 22609, 'ElaraRestrainedMiningLaserUpgrade' : 22611, 'CarpoMiningLaserUpgrade' : 22613, 'AoedeMiningLaserUpgrade' : 22615, 'CrisiumIceHarvesterUpgrade' : 22617, 'FrigorisRestrainedIceHarvesterUpgrade' : 22619, 'AnguisIceHarvesterUpgrade' : 22621, 'IngeniiIceHarvesterUpgrade' : 22623, '10mnwebscramblifyingDrone' : 22713, 'RepublicSpecialOpsFieldEnhancerGamma' : 22715, 'ImperialSpecialOpsFieldEnhancerStandard' : 22760, 'ReconShips' : 22761, 'HeavyShieldMaintenanceBotI' : 22765, 'WarpDisruptProbe' : 22778, 'FighterUno' : 22780, 'InterdictionSphereLauncherI' : 22782, 'IndependentShielding' : 22797, 'EMArmorCompensation' : 22806, 'ExplosiveArmorCompensation' : 22807, 'KineticArmorCompensation' : 22808, 'ThermicArmorCompensation' : 22809, 'Hel' : 22852, 'AuraWarpCoreStabilizerI' : 22875, 'NaturaWarpCoreStabilizerI' : 22877, 'PilferEnergizedAdaptiveNanoMembraneI' : 22879, 'MoonshineEnergizedThermicMembraneI' : 22881, 'MafiaEnergizedKineticMembraneI' : 22883, 'StealthSystemI' : 22885, 'HarmonySmallArmorRepairerI' : 22887, 'MeditationMediumArmorRepairerI' : 22889, 'ProtestLargeArmorRepairerI' : 22891, 'GonzoDamageControlI' : 22893, 'ShadyECCMGravimetricI' : 22895, 'ForgerECCMMagnetometricI' : 22897, 'CorporateLightElectronBlasterI' : 22899, 'DealerLightIonBlasterI' : 22901, 'RacketLightNeutronBlasterI' : 22903, 'SlitherHeavyElectronBlasterI' : 22905, 'HooliganHeavyIonBlasterI' : 22907, 'HustlerHeavyNeutronBlasterI' : 22909, 'SwindlerElectronBlasterCannonI' : 22911, 'FelonIonBlasterCannonI' : 22913, 'UnderhandNeutronBlasterCannonI' : 22915, 'CapitalistMagneticFieldStabilizerI' : 22917, 'MonopolyMagneticFieldStabilizerI' : 22919, 'HabitatMinerI' : 22921, 'WildMinerI' : 22923, 'BootlegECCMProjectorI' : 22925, 'EconomistTrackingComputerI' : 22927, 'MarketeerTrackingComputerI' : 22929, 'DistributorTrackingDisruptorI' : 22931, 'InvestorTrackingDisruptorI' : 22933, 'TycoonRemoteTrackingComputer' : 22935, 'EnterpriseRemoteTrackingComputer' : 22937, 'BossRemoteSensorBooster' : 22939, 'EntrepreneurRemoteSensorBooster' : 22941, 'BrokerRemoteSensorDampenerI' : 22943, 'ExecutiveRemoteSensorDampenerI' : 22945, 'BeatnikSmallRemoteArmorRepairer' : 22947, 'LoveMediumRemoteArmorRepairer' : 22949, 'PacifierLargeRemoteArmorRepairer' : 22951, 'CartelPowerDiagnosticSystemI' : 22953, 'FederationNavyAntimatterChargeS' : 22961, 'FederationNavyPlutoniumChargeS' : 22963, 'FederationNavyUraniumChargeS' : 22965, 'FederationNavyThoriumChargeS' : 22967, 'FederationNavyLeadChargeS' : 22969, 'FederationNavyIridiumChargeS' : 22971, 'FederationNavyTungstenChargeS' : 22973, 'FederationNavyIronChargeS' : 22975, 'FederationNavyAntimatterChargeM' : 22977, 'FederationNavyPlutoniumChargeM' : 22979, 'FederationNavyUraniumChargeM' : 22981, 'FederationNavyThoriumChargeM' : 22983, 'FederationNavyLeadChargeM' : 22985, 'FederationNavyIridiumChargeM' : 22987, 'FederationNavyTungstenChargeM' : 22989, 'FederationNavyIronChargeM' : 22991, 'FederationNavyAntimatterChargeL' : 22993, 'FederationNavyPlutoniumChargeL' : 22995, 'FederationNavyUraniumChargeL' : 22997, 'FederationNavyThoriumChargeL' : 22999, 'FederationNavyLeadChargeL' : 23001, 'FederationNavyIridiumChargeL' : 23003, 'FederationNavyTungstenChargeL' : 23005, 'FederationNavyIronChargeL' : 23007, 'CaldariNavyAntimatterChargeS' : 23009, 'CaldariNavyPlutoniumChargeS' : 23011, 'CaldariNavyUraniumChargeS' : 23013, 'CaldariNavyThoriumChargeS' : 23015, 'CaldariNavyLeadChargeS' : 23017, 'CaldariNavyIridiumChargeS' : 23019, 'CaldariNavyTungstenChargeS' : 23021, 'CaldariNavyIronChargeS' : 23023, 'CaldariNavyAntimatterChargeM' : 23025, 'CaldariNavyPlutoniumChargeM' : 23027, 'CaldariNavyUraniumChargeM' : 23029, 'CaldariNavyThoriumChargeM' : 23031, 'CaldariNavyLeadChargeM' : 23033, 'CaldariNavyIridiumChargeM' : 23035, 'CaldariNavyTungstenChargeM' : 23037, 'CaldariNavyIronChargeM' : 23039, 'CaldariNavyPlutoniumChargeL' : 23041, 'CaldariNavyUraniumChargeL' : 23043, 'CaldariNavyThoriumChargeL' : 23045, 'CaldariNavyLeadChargeL' : 23047, 'CaldariNavyIridiumChargeL' : 23049, 'CaldariNavyTungstenChargeL' : 23051, 'CaldariNavyIronChargeL' : 23053, 'Templar' : 23055, 'Dragonfly' : 23057, 'Firbolg' : 23059, 'Einherji' : 23061, 'Fighters' : 23069, 'ImperialNavyMultifrequencyS' : 23071, 'ImperialNavyGammaS' : 23073, 'ImperialNavyXrayS' : 23075, 'ImperialNavyUltravioletS' : 23077, 'ImperialNavyStandardS' : 23079, 'ImperialNavyInfraredS' : 23081, 'ImperialNavyMicrowaveS' : 23083, 'ImperialNavyRadioS' : 23085, 'AmarrEncryptionMethods' : 23087, 'ImperialNavyMultifrequencyM' : 23089, 'ImperialNavyGammaM' : 23091, 'ImperialNavyXrayM' : 23093, 'ImperialNavyUltravioletM' : 23095, 'ImperialNavyStandardM' : 23097, 'ImperialNavyInfraredM' : 23099, 'ImperialNavyMicrowaveM' : 23101, 'ImperialNavyRadioM' : 23103, 'ImperialNavyMultifrequencyL' : 23105, 'ImperialNavyGammaL' : 23107, 'ImperialNavyXrayL' : 23109, 'ImperialNavyUltravioletL' : 23111, 'ImperialNavyStandardL' : 23113, 'ImperialNavyInfraredL' : 23115, 'ImperialNavyMicrowaveL' : 23117, 'ImperialNavyRadioL' : 23119, 'GallenteEncryptionMethods' : 23121, 'TakmahlTechnology' : 23123, 'YanJungTechnology' : 23124, 'BrotherhoodSmallRemoteArmorRepairer' : 23414, 'PeaceLargeRemoteArmorRepairer' : 23416, 'RadicalDamageControlI' : 23418, 'WaspEC900' : 23473, 'OgreSD900' : 23506, 'PraetorTD900' : 23510, 'BerserkerTP900' : 23512, 'HeavyArmorMaintenanceBotI' : 23523, 'CuratorI' : 23525, 'DroneLinkAugmentorI' : 23527, 'OmnidirectionalTrackingLinkI' : 23533, 'BerserkerSW900' : 23536, 'WardenI' : 23559, 'GardeI' : 23561, 'BouncerI' : 23563, 'AdvancedDroneAvionics' : 23566, 'SentryDroneInterfacing' : 23594, 'PropulsionJammingDroneInterfacing' : 23599, 'DroneSharpshooting' : 23606, 'DroneDurability' : 23618, 'AcolyteEV300' : 23659, 'Gjallarhorn' : 23674, 'InfiltratorEV600' : 23702, 'VespaEC600' : 23705, 'HornetEC300' : 23707, 'MediumArmorMaintenanceBotI' : 23709, 'LightArmorMaintenanceBotI' : 23711, 'HammerheadSD600' : 23713, 'HobgoblinSD300' : 23715, 'MediumShieldMaintenanceBotI' : 23717, 'LightShieldMaintenanceBotI' : 23719, 'ValkyrieTP600' : 23721, 'WarriorTP300' : 23723, 'InfiltratorTD600' : 23725, 'AcolyteTD300' : 23727, 'ValkyrieSW600' : 23729, 'WarriorSW300' : 23731, 'CloneVatBayI' : 23735, 'Archon' : 23757, 'FA14Templar' : 23759, 'Ragnarok' : 23773, 'Abatis100mmSteelPlates' : 23783, 'Bailey1600mmSteelPlates' : 23785, 'Chainmail200mmSteelPlates' : 23787, 'Bastion400mmSteelPlates' : 23789, 'Citadella100mmSteelPlates' : 23791, 'Barbican800mmSteelPlates' : 23793, 'GorgetSmallArmorRepairerI' : 23795, 'GreavesMediumArmorRepairerI' : 23797, 'HauberkLargeArmorRepairerI' : 23799, 'CrucibleSmallCapacitorBatteryI' : 23801, 'CenserMediumCapacitorBatteryI' : 23803, 'ThuriferLargeCapacitorBatteryI' : 23805, 'SaddleSmallCapacitorBoosterI' : 23807, 'HarnessMediumCapacitorBoosterI' : 23809, 'PloughHeavyCapacitorBoosterI' : 23811, 'PalisadeCapRechargerI' : 23813, 'CaltropSmallEnergyNeutralizerI' : 23815, 'DitchMediumEnergyNeutralizerI' : 23817, 'MoatHeavyEnergyNeutralizerI' : 23819, 'UpirSmallNosferatuI' : 23821, 'StrigoiMediumNosferatuI' : 23824, 'VrykolakasHeavyNosferatuI' : 23829, 'MaceDualLightBeamLaserI' : 23834, 'LongbowSmallFocusedPulseLaserI' : 23836, 'GauntletSmallFocusedBeamLaserI' : 23838, 'CrossbowFocusedMediumBeamLaserI' : 23840, 'JoustHeavyPulseLaserI' : 23842, 'ArquebusHeavyBeamLaserI' : 23844, 'HalberdMegaPulseLaserI' : 23846, 'CatapultMegaBeamLaserI' : 23848, 'BallistaTachyonBeamLaserI' : 23850, 'SquireSmallRemoteCapacitorTransmitter' : 23852, 'KnightMediumRemoteCapacitorTransmitter' : 23854, 'ChivalryLargeRemoteCapacitorTransmitter' : 23856, 'PikeSmallEMPSmartbombI' : 23864, 'LanceMediumEMPSmartbombI' : 23866, 'WarhammerLargeEMPSmartbombI' : 23868, 'PageCapacitorFluxCoilI' : 23894, 'MotteCapacitorPowerRelayI' : 23896, 'PortcullisReactorControlUnitI' : 23898, 'MangonelHeatSinkI' : 23900, 'TrebuchetHeatSinkI' : 23902, 'Thanatos' : 23911, 'Nyx' : 23913, 'Chimera' : 23915, 'Wyvern' : 23917, 'Aeon' : 23919, 'CommandShips' : 23950, 'JumpPortalGeneratorI' : 23953, 'LightDroneOperation' : 24241, 'InfomorphPsychology' : 24242, 'SupplyChainManagement' : 24268, 'ScientificNetworking' : 24270, 'DroneControlUnitI' : 24283, 'ModulatedDeepCoreStripMinerII' : 24305, 'AmarrCarrier' : 24311, 'CaldariCarrier' : 24312, 'GallenteCarrier' : 24313, 'MinmatarCarrier' : 24314, 'AuroraAlpha' : 24343, 'AuroraDelta' : 24344, 'AuroraOmega' : 24345, 'AuroraEpsilon' : 24346, 'AuroraBeta' : 24347, 'SmallTractorBeamI' : 24348, 'DroneNavigationComputerI' : 24395, 'DroneNavigationComputerII' : 24417, 'DroneLinkAugmentorII' : 24427, 'OmnidirectionalTrackingLinkII' : 24438, 'ShieldBoostAmplifierII' : 24443, 'ScourgeRageRocket' : 24471, 'NovaRageRocket' : 24473, 'InfernoRageRocket' : 24475, 'ScourgeJavelinRocket' : 24477, 'NovaJavelinRocket' : 24478, 'InfernoJavelinRocket' : 24479, 'Nidhoggur' : 24483, 'AuroraGamma' : 24485, 'InfernoRageHeavyAssaultMissile' : 24486, 'NovaRageHeavyAssaultMissile' : 24488, 'MjolnirRageHeavyAssaultMissile' : 24490, 'ScourgeJavelinHeavyAssaultMissile' : 24492, 'MjolnirJavelinHeavyAssaultMissile' : 24493, 'InfernoJavelinHeavyAssaultMissile' : 24494, 'ScourgeFuryLightMissile' : 24495, 'NovaFuryLightMissile' : 24497, 'InfernoFuryLightMissile' : 24499, 'ScourgePrecisionLightMissile' : 24501, 'NovaPrecisionLightMissile' : 24503, 'MjolnirPrecisionLightMissile' : 24505, 'NovaFuryHeavyMissile' : 24507, 'MjolnirFuryHeavyMissile' : 24509, 'InfernoFuryHeavyMissile' : 24511, 'ScourgePrecisionHeavyMissile' : 24513, 'InfernoPrecisionHeavyMissile' : 24515, 'MjolnirPrecisionHeavyMissile' : 24517, 'NovaRageTorpedo' : 24519, 'ScourgeRageTorpedo' : 24521, 'MjolnirRageTorpedo' : 24523, 'InfernoJavelinTorpedo' : 24525, 'MjolnirJavelinTorpedo' : 24527, 'ScourgeJavelinTorpedo' : 24529, 'NovaFuryCruiseMissile' : 24531, 'ScourgeFuryCruiseMissile' : 24533, 'MjolnirFuryCruiseMissile' : 24535, 'NovaPrecisionCruiseMissile' : 24537, 'MjolnirPrecisionCruiseMissile' : 24539, 'ScourgePrecisionCruiseMissile' : 24541, 'Judgement' : 24550, 'Oblivion' : 24552, 'AuroraOminae' : 24554, 'JumpPortalGeneration' : 24562, 'DoomsdayOperation' : 24563, 'CapitalRemoteArmorRepairSystems' : 24568, 'CapitalRemoteArmorRepairerI' : 24569, 'CapitalShieldEmissionSystems' : 24571, 'CapitalCapacitorEmissionSystems' : 24572, 'CloningFacilityOperation' : 24606, 'SnowballNewEffect' : 24608, 'AdvancedDroneInterfacing' : 24613, 'MediumTractorBeamI' : 24620, 'LargeTractorBeamI' : 24622, 'AdvancedLaboratoryOperation' : 24624, 'AdvancedMassProduction' : 24625, 'ZainouDeadeyeGuidedMissilePrecisionGP803' : 24632, 'ZainouDeadeyeMissileBombardmentMB705' : 24636, 'ZainouDeadeyeMissileProjectionMP705' : 24637, 'ZainouDeadeyeRapidLaunchRL1005' : 24638, 'ZainouDeadeyeTargetNavigationPredictionTN905' : 24639, 'ZainouDeadeyeGuidedMissilePrecisionGP805' : 24640, 'ZainouGnomeLauncherCPUEfficiencyLE603' : 24641, 'ZainouGnomeLauncherCPUEfficiencyLE605' : 24642, 'CapitalTractorBeamI' : 24644, 'ZorsCustomNavigationHyperLink' : 24663, 'ShaqilsSpeedEnhancer' : 24669, 'Rokh' : 24688, 'Hyperion' : 24690, 'Abaddon' : 24692, 'Maelstrom' : 24694, 'Harbinger' : 24696, 'Drake' : 24698, 'Myrmidon' : 24700, 'Hurricane' : 24702, 'FleetCommand' : 24764, 'CorporationContracting' : 25233, 'Contracting' : 25235, 'GasCloudHarvesterI' : 25266, 'StrongExileBooster' : 25349, 'NeurotoxinRecovery' : 25530, 'NeurotoxinControl' : 25538, 'CropGasCloudHarvester' : 25540, 'PlowGasCloudHarvester' : 25542, 'GasCloudHarvesting' : 25544, 'EifyrandCoAlchemistNeurotoxinControlNC903' : 25545, 'EifyrandCoAlchemistNeurotoxinControlNC905' : 25546, 'EifyrandCoAlchemistNeurotoxinRecoveryNR1003' : 25547, 'EifyrandCoAlchemistNeurotoxinRecoveryNR1005' : 25548, 'OpuxDragoonYacht' : 25560, 'SignalDistortionAmplifierI' : 25561, 'SignalDistortionAmplifierII' : 25563, 'HypnosSignalDistortionAmplifierI' : 25565, 'CompulsiveSignalDistortionAmplifierI' : 25567, 'InducedSignalDistortionAmplifierI' : 25569, 'InitiatedSignalDistortionAmplifierI' : 25571, 'PrototypeArbalestHeavyAssaultMissileLauncherI' : 25707, 'UpgradedMalkuthHeavyAssaultMissileLauncherI' : 25709, 'LimitedLimosHeavyAssaultMissileLauncherI' : 25711, 'ExperimentalXT2800HeavyAssaultMissileLauncherI' : 25713, 'HeavyAssaultMissileLauncherII' : 25715, 'HeavyAssaultMissileSpecialization' : 25718, 'HeavyAssaultMissiles' : 25719, 'LargeAntiEMPumpI' : 25736, 'AstrometricRangefinding' : 25739, 'ReconProbeLauncherII' : 25771, 'RadarQuestProbe' : 25797, 'AstrometricPinpointing' : 25810, 'AstrometricAcquisition' : 25811, 'GasCloudHarvesterII' : 25812, 'SalvagerI' : 25861, 'Salvaging' : 25863, 'PashansTurretHandlingMindlink' : 25867, 'PashansTurretCustomizationMindlink' : 25868, 'LargeAntiExplosivePumpI' : 25888, 'LargeAntiKineticPumpI' : 25890, 'LargeAntiThermicPumpI' : 25892, 'LargeTrimarkArmorPumpI' : 25894, 'LargeAuxiliaryNanoPumpI' : 25896, 'LargeNanobotAcceleratorI' : 25898, 'LargeRemoteRepairAugmentorI' : 25900, 'LargeSalvageTackleI' : 25902, 'LargeCoreDefenseCapacitorSafeguardI' : 25906, 'LargeDroneControlRangeAugmentorI' : 25908, 'LargeDroneRepairAugmentorI' : 25910, 'LargeDroneScopeChipI' : 25912, 'LargeDroneSpeedAugmentorI' : 25914, 'LargeDroneDurabilityEnhancerI' : 25916, 'LargeDroneMiningAugmentorI' : 25918, 'LargeSentryDamageAugmentorI' : 25920, 'LargeEWDroneRangeAugmentorI' : 25922, 'LargeStasisDroneAugmentorI' : 25924, 'LargeSignalDisruptionAmplifierI' : 25928, 'LargeEmissionScopeSharpenerI' : 25930, 'LargeMemeticAlgorithmBankI' : 25932, 'LargeLiquidCooledElectronicsI' : 25934, 'LargeGravityCapacitorUpgradeI' : 25936, 'LargeCapacitorControlCircuitI' : 25948, 'LargeEgressPortMaximizerI' : 25950, 'LargePowergridSubroutineMaximizerI' : 25952, 'LargeSemiconductorMemoryCellI' : 25954, 'LargeAncillaryCurrentRouterI' : 25956, 'LargeEnergyDischargeElutriationI' : 25968, 'LargeEnergyAmbitExtensionI' : 25970, 'LargeEnergyLocusCoordinatorI' : 25972, 'LargeEnergyMetastasisAdjusterI' : 25974, 'LargeAlgidEnergyAdministrationsUnitI' : 25976, 'LargeEnergyBurstAeratorI' : 25978, 'LargeEnergyCollisionAcceleratorI' : 25980, 'LargeHybridDischargeElutriationI' : 25996, 'LargeHybridAmbitExtensionI' : 25998, 'LargeHybridLocusCoordinatorI' : 26000, 'LargeHybridMetastasisAdjusterI' : 26002, 'LargeAlgidHybridAdministrationsUnitI' : 26004, 'LargeHybridBurstAeratorI' : 26006, 'LargeHybridCollisionAcceleratorI' : 26008, 'LargeHydraulicBayThrustersI' : 26016, 'LauncherProcessorRigI' : 26018, 'LargeWarheadRigorCatalystI' : 26020, 'LargeRocketFuelCachePartitionI' : 26022, 'MissileGuidanceSystemRigI' : 26024, 'LargeBayLoadingAcceleratorI' : 26026, 'LargeWarheadFlareCatalystI' : 26028, 'LargeWarheadCalefactionCatalystI' : 26030, 'ProjectileCacheDistributorI' : 26036, 'LargeProjectileAmbitExtensionI' : 26038, 'LargeProjectileLocusCoordinatorI' : 26040, 'LargeProjectileMetastasisAdjusterI' : 26042, 'ProjectileConsumptionElutriatorI' : 26044, 'LargeProjectileBurstAeratorI' : 26046, 'LargeProjectileCollisionAcceleratorI' : 26048, 'LargeDynamicFuelValveI' : 26056, 'LargeLowFrictionNozzleJointsI' : 26058, 'LargeAuxiliaryThrustersI' : 26060, 'LargeEngineThermalShieldingI' : 26062, 'PropellantInjectionVentI' : 26064, 'LargeWarpCoreOptimizerI' : 26066, 'LargeHyperspatialVelocityOptimizerI' : 26068, 'LargePolycarbonEngineHousingI' : 26070, 'LargeCargoholdOptimizationI' : 26072, 'LargeAntiEMScreenReinforcerI' : 26076, 'LargeAntiExplosiveScreenReinforcerI' : 26078, 'LargeAntiKineticScreenReinforcerI' : 26080, 'LargeAntiThermalScreenReinforcerI' : 26082, 'LargeCoreDefenseFieldPurgerI' : 26084, 'LargeCoreDefenseOperationalSolidifierI' : 26086, 'LargeCoreDefenseFieldExtenderI' : 26088, 'LargeCoreDefenseChargeEconomizerI' : 26090, 'LargeTargetingSystemsStabilizerI' : 26096, 'LargeTargetingSystemSubcontrollerI' : 26100, 'LargeIonicFieldProjectorI' : 26102, 'LargeSignalFocusingKitI' : 26104, 'LargeParticleDispersionAugmentorI' : 26106, 'LargeParticleDispersionProjectorI' : 26108, 'LargeInvertedSignalFieldProjectorI' : 26110, 'LargeTrackingDiagnosticSubroutinesI' : 26112, 'DemoProbeLauncher' : 26173, 'DrugManufacturing' : 26224, 'JuryRigging' : 26252, 'ArmorRigging' : 26253, 'AstronauticsRigging' : 26254, 'DronesRigging' : 26255, 'ElectronicSuperiorityRigging' : 26256, 'ProjectileWeaponRigging' : 26257, 'EnergyWeaponRigging' : 26258, 'HybridWeaponRigging' : 26259, 'LauncherRigging' : 26260, 'ShieldRigging' : 26261, 'LargeAntiEMPumpII' : 26286, 'LargeAntiExplosivePumpII' : 26288, 'LargeAntiKineticPumpII' : 26290, 'LargeAntiThermicPumpII' : 26292, 'LargeAuxiliaryNanoPumpII' : 26294, 'LargeNanobotAcceleratorII' : 26296, 'LargeRemoteRepairAugmentorII' : 26298, 'LargeSalvageTackleII' : 26300, 'LargeTrimarkArmorPumpII' : 26302, 'LargeCargoholdOptimizationII' : 26304, 'LargeDynamicFuelValveII' : 26306, 'LargeEngineThermalShieldingII' : 26308, 'LargeLowFrictionNozzleJointsII' : 26310, 'LargePolycarbonEngineHousingII' : 26312, 'PropellantInjectionVentII' : 26314, 'LargeAuxiliaryThrustersII' : 26318, 'LargeWarpCoreOptimizerII' : 26320, 'LargeHyperspatialVelocityOptimizerII' : 26322, 'LargeDroneControlRangeAugmentorII' : 26324, 'LargeDroneDurabilityEnhancerII' : 26326, 'LargeDroneMiningAugmentorII' : 26328, 'LargeDroneRepairAugmentorII' : 26330, 'LargeDroneScopeChipII' : 26332, 'LargeDroneSpeedAugmentorII' : 26334, 'LargeEWDroneRangeAugmentorII' : 26336, 'LargeSentryDamageAugmentorII' : 26338, 'LargeStasisDroneAugmentorII' : 26340, 'LargeEmissionScopeSharpenerII' : 26342, 'LargeSignalDisruptionAmplifierII' : 26344, 'LargeMemeticAlgorithmBankII' : 26346, 'LargeLiquidCooledElectronicsII' : 26348, 'LargeGravityCapacitorUpgradeII' : 26350, 'LargeParticleDispersionAugmentorII' : 26352, 'LargeInvertedSignalFieldProjectorII' : 26354, 'LargeTrackingDiagnosticSubroutinesII' : 26356, 'LargeIonicFieldProjectorII' : 26358, 'LargeParticleDispersionProjectorII' : 26360, 'LargeSignalFocusingKitII' : 26362, 'LargeTargetingSystemSubcontrollerII' : 26364, 'LargeTargetingSystemsStabilizerII' : 26366, 'LargeEgressPortMaximizerII' : 26368, 'LargeAncillaryCurrentRouterII' : 26370, 'LargePowergridSubroutineMaximizerII' : 26372, 'LargeCapacitorControlCircuitII' : 26374, 'LargeSemiconductorMemoryCellII' : 26376, 'LargeEnergyDischargeElutriationII' : 26378, 'LargeEnergyBurstAeratorII' : 26380, 'LargeEnergyCollisionAcceleratorII' : 26382, 'LargeAlgidEnergyAdministrationsUnitII' : 26384, 'LargeEnergyAmbitExtensionII' : 26386, 'LargeEnergyLocusCoordinatorII' : 26388, 'LargeEnergyMetastasisAdjusterII' : 26390, 'LargeHybridDischargeElutriationII' : 26392, 'LargeHybridBurstAeratorII' : 26394, 'LargeHybridCollisionAcceleratorII' : 26396, 'LargeAlgidHybridAdministrationsUnitII' : 26398, 'LargeHybridAmbitExtensionII' : 26400, 'LargeHybridLocusCoordinatorII' : 26402, 'LargeHybridMetastasisAdjusterII' : 26404, 'LargeBayLoadingAcceleratorII' : 26406, 'LauncherProcessorRigII' : 26408, 'MissileGuidanceSystemRigII' : 26410, 'LargeWarheadFlareCatalystII' : 26412, 'LargeWarheadRigorCatalystII' : 26414, 'LargeHydraulicBayThrustersII' : 26416, 'LargeRocketFuelCachePartitionII' : 26418, 'LargeWarheadCalefactionCatalystII' : 26420, 'ProjectileCacheDistributorII' : 26422, 'LargeProjectileCollisionAcceleratorII' : 26424, 'ProjectileConsumptionElutriatorII' : 26426, 'LargeProjectileAmbitExtensionII' : 26428, 'LargeProjectileBurstAeratorII' : 26430, 'LargeProjectileLocusCoordinatorII' : 26432, 'LargeProjectileMetastasisAdjusterII' : 26434, 'LargeAntiEMScreenReinforcerII' : 26436, 'LargeAntiExplosiveScreenReinforcerII' : 26438, 'LargeAntiKineticScreenReinforcerII' : 26440, 'LargeAntiThermalScreenReinforcerII' : 26442, 'LargeCoreDefenseCapacitorSafeguardII' : 26444, 'LargeCoreDefenseChargeEconomizerII' : 26446, 'LargeCoreDefenseFieldExtenderII' : 26448, 'LargeCoreDefenseFieldPurgerII' : 26450, 'LargeCoreDefenseOperationalSolidifierII' : 26452, 'RavenStateIssue' : 26840, 'TempestTribalIssue' : 26842, 'QAECMBurst' : 26869, 'SmallRemoteArmorRepairerII' : 26912, 'MediumRemoteArmorRepairerII' : 26913, 'LargeRemoteArmorRepairerII' : 26914, 'DroneDamageRigI' : 26925, 'DroneDamageRigII' : 26927, 'SmallProcessorOverclockingUnitI' : 26929, 'SmallProcessorOverclockingUnitII' : 26931, 'SensorStrengthRigI' : 26960, 'SensorStrengthRigII' : 26962, 'ShieldTransporterRigI' : 26964, 'ShieldTransporterRigII' : 26966, 'CivilianSalvager' : 26983, 'CivilianDataAnalyzer' : 27014, 'CivilianRelicAnalyzer' : 27019, 'CapitalAuxiliaryNanoPumpI' : 27064, 'CapitalNanobotAcceleratorII' : 27066, 'SmallRemoteRepairAugmentorI' : 27068, 'InherentImplantsNobleRepairSystemsRS601' : 27070, 'InherentImplantsNobleRemoteArmorRepairSystemsRA701' : 27071, 'InherentImplantsNobleMechanicMC801' : 27072, 'InherentImplantsNobleRepairProficiencyRP901' : 27073, 'InherentImplantsNobleHullUpgradesHG1001' : 27074, 'EifyrandCoGunslingerMotionPredictionMR701' : 27075, 'ZainouDeadeyeSharpshooterST901' : 27076, 'InherentImplantsLancerGunneryRF901' : 27077, 'ZainouDeadeyeTrajectoryAnalysisTA701' : 27078, 'InherentImplantsLancerControlledBurstsCB701' : 27079, 'ZainouGnomeWeaponUpgradesWU1001' : 27080, 'EifyrandCoGunslingerSurgicalStrikeSS901' : 27081, 'InherentImplantsLancerSmallEnergyTurretSE601' : 27082, 'ZainouDeadeyeSmallHybridTurretSH601' : 27083, 'EifyrandCoGunslingerSmallProjectileTurretSP601' : 27084, 'InherentImplantsLancerMediumEnergyTurretME801' : 27085, 'ZainouDeadeyeMediumHybridTurretMH801' : 27086, 'EifyrandCoGunslingerMediumProjectileTurretMP801' : 27087, 'InherentImplantsLancerLargeEnergyTurretLE1001' : 27088, 'ZainouDeadeyeLargeHybridTurretLH1001' : 27089, 'EifyrandCoGunslingerLargeProjectileTurretLP1001' : 27090, 'ZainouGnomeLauncherCPUEfficiencyLE601' : 27091, 'ZainouDeadeyeMissileBombardmentMB701' : 27092, 'ZainouDeadeyeMissileProjectionMP701' : 27093, 'ZainouDeadeyeGuidedMissilePrecisionGP801' : 27094, 'ZainouDeadeyeTargetNavigationPredictionTN901' : 27095, 'ZainouDeadeyeRapidLaunchRL1001' : 27096, 'EifyrandCoRogueNavigationNN601' : 27097, 'EifyrandCoRogueFuelConservationFC801' : 27098, 'EifyrandCoRogueEvasiveManeuveringEM701' : 27099, 'EifyrandCoRogueHighSpeedManeuveringHS901' : 27100, 'EifyrandCoRogueAccelerationControlAC601' : 27101, 'InherentImplantsHighwallMiningMX1001' : 27102, 'InherentImplantsYetiIceHarvestingIH1001' : 27103, 'ZainouGnomeShieldUpgradesSU601' : 27104, 'ZainouGnomeShieldManagementSM701' : 27105, 'ZainouGnomeShieldEmissionSystemsSE801' : 27106, 'ZainouGnomeShieldOperationSP901' : 27107, 'ZainouSnapshotLightMissilesLM903' : 27108, 'ZainouSnapshotHeavyAssaultMissilesAM703' : 27109, 'EifyrandCoRogueAfterburnerAB610' : 27110, 'EifyrandCoRogueAfterburnerAB602' : 27111, 'EifyrandCoRogueWarpDriveOperationWD610' : 27112, 'EifyrandCoRogueWarpDriveOperationWD602' : 27113, 'EifyrandCoRogueWarpDriveSpeedWS615' : 27114, 'EifyrandCoRogueWarpDriveSpeedWS605' : 27115, 'InherentImplantsSquireCapacitorManagementEM805' : 27116, 'InherentImplantsSquireCapacitorManagementEM801' : 27117, 'InherentImplantsSquireCapacitorSystemsOperationEO605' : 27118, 'InherentImplantsSquireCapacitorSystemsOperationEO601' : 27119, 'InherentImplantsSquireCapacitorEmissionSystemsES701' : 27120, 'InherentImplantsSquireCapacitorEmissionSystemsES705' : 27121, 'InherentImplantsSquireEnergyPulseWeaponsEP705' : 27122, 'InherentImplantsSquireEnergyPulseWeaponsEP701' : 27123, 'InherentImplantsSquireEnergyGridUpgradesEU705' : 27124, 'InherentImplantsSquireEnergyGridUpgradesEU701' : 27125, 'InherentImplantsSquirePowerGridManagementEG605' : 27126, 'InherentImplantsSquirePowerGridManagementEG601' : 27127, 'ZainouGypsyElectronicsUpgradesEU605' : 27128, 'ZainouGypsyElectronicsUpgradesEU601' : 27129, 'ZainouGypsySignatureAnalysisSA705' : 27130, 'ZainouGypsySignatureAnalysisSA701' : 27131, 'ZainouGypsyCPUManagementEE605' : 27142, 'ZainouGypsyCPUManagementEE601' : 27143, 'EifyrandCoAlchemistBiologyBY805' : 27147, 'EifyrandCoAlchemistBiologyBY810' : 27148, 'InherentImplantsHighwallMiningUpgradesMU1003' : 27149, 'InherentImplantsHighwallMiningUpgradesMU1005' : 27150, 'InherentImplantsHighwallMiningUpgradesMU1001' : 27151, 'HardwiringPotequePharmaceuticalsConsulPPA1' : 27152, 'HardwiringPotequePharmaceuticalsConsulPPB1' : 27153, 'HardwiringPotequePharmaceuticalsConsulPPC1' : 27154, 'HardwiringPotequePharmaceuticalsConsulPPD1' : 27155, 'HardwiringPotequePharmaceuticalsConsulPPE1' : 27156, 'HardwiringPotequePharmaceuticalsConsulPPA0' : 27157, 'HardwiringPotequePharmaceuticalsConsulPPA2' : 27158, 'HardwiringPotequePharmaceuticalsConsulPPB2' : 27159, 'HardwiringPotequePharmaceuticalsConsulPPB0' : 27160, 'HardwiringPotequePharmaceuticalsConsulPPC2' : 27161, 'HardwiringPotequePharmaceuticalsConsulPPC0' : 27162, 'HardwiringPotequePharmaceuticalsConsulPPD2' : 27163, 'HardwiringPotequePharmaceuticalsConsulPPD0' : 27164, 'HardwiringPotequePharmaceuticalsConsulPPE2' : 27165, 'HardwiringPotequePharmaceuticalsConsulPPE0' : 27166, 'ZainouBeancounterIndustryBX802' : 27167, 'ZainouBeancounterReprocessingRX802' : 27169, 'ZainouBeancounterIndustryBX801' : 27170, 'ZainouBeancounterIndustryBX804' : 27171, 'ZainouBeancounterReprocessingRX804' : 27174, 'ZainouBeancounterReprocessingRX801' : 27175, 'ZainouBeancounterMetallurgyMY703' : 27176, 'ZainouBeancounterResearchRR603' : 27177, 'ZainouBeancounterScienceSC803' : 27178, 'ZainouBeancounterResearchRR605' : 27179, 'ZainouBeancounterResearchRR601' : 27180, 'ZainouBeancounterMetallurgyMY705' : 27181, 'ZainouBeancounterMetallurgyMY701' : 27182, 'ZainouBeancounterScienceSC805' : 27184, 'ZainouBeancounterScienceSC801' : 27185, 'PotequeProspectorAstrometricPinpointingAP606' : 27186, 'PotequeProspectorAstrometricAcquisitionAQ706' : 27187, 'PotequeProspectorAstrometricRangefindingAR806' : 27188, 'PotequeProspectorAstrometricPinpointingAP610' : 27190, 'PotequeProspectorAstrometricPinpointingAP602' : 27191, 'PotequeProspectorAstrometricAcquisitionAQ710' : 27192, 'PotequeProspectorAstrometricAcquisitionAQ702' : 27193, 'PotequeProspectorAstrometricRangefindingAR810' : 27194, 'PotequeProspectorAstrometricRangefindingAR802' : 27195, 'PotequeProspectorArchaeologyAC905' : 27196, 'PotequeProspectorHackingHC905' : 27197, 'PotequeProspectorSalvagingSV905' : 27198, 'HardwiringZainouSharpshooterZMX100' : 27204, 'HardwiringZainouSharpshooterZMX1000' : 27205, 'HardwiringZainouSharpshooterZMX10' : 27206, 'InherentImplantsSergeantXE4' : 27223, 'ZainouGypsyTargetPaintingTG903' : 27224, 'ZainouGypsyElectronicWarfareEW905' : 27225, 'ZainouGypsyElectronicWarfareEW901' : 27226, 'ZainouGypsyLongRangeTargetingLT805' : 27227, 'ZainouGypsyLongRangeTargetingLT801' : 27229, 'ZainouGypsyPropulsionJammingPJ805' : 27230, 'ZainouGypsyPropulsionJammingPJ801' : 27231, 'ZainouGypsySensorLinkingSL905' : 27232, 'ZainouGypsySensorLinkingSL901' : 27233, 'ZainouGypsyWeaponDisruptionWD905' : 27234, 'ZainouGypsyWeaponDisruptionWD901' : 27235, 'ZainouGypsyTargetPaintingTG905' : 27236, 'ZainouGypsyTargetPaintingTG901' : 27237, 'EifyrandCoAlchemistGasHarvestingGH803' : 27238, 'EifyrandCoAlchemistGasHarvestingGH805' : 27239, 'EifyrandCoAlchemistGasHarvestingGH801' : 27240, 'ZainouSnapshotDefenderMissilesDM805' : 27243, 'ZainouSnapshotDefenderMissilesDM801' : 27244, 'ZainouSnapshotHeavyAssaultMissilesAM705' : 27245, 'ZainouSnapshotHeavyAssaultMissilesAM701' : 27246, 'ZainouSnapshotFOFExplosionRadiusFR1005' : 27247, 'ZainouSnapshotFOFExplosionRadiusFR1001' : 27249, 'ZainouSnapshotHeavyMissilesHM705' : 27250, 'ZainouSnapshotHeavyMissilesHM701' : 27251, 'ZainouSnapshotLightMissilesLM905' : 27252, 'ZainouSnapshotLightMissilesLM901' : 27253, 'ZainouSnapshotRocketsRD905' : 27254, 'ZainouSnapshotRocketsRD901' : 27255, 'ZainouSnapshotTorpedoesTD605' : 27256, 'ZainouSnapshotTorpedoesTD601' : 27257, 'ZainouSnapshotCruiseMissilesCM605' : 27258, 'ZainouSnapshotCruiseMissilesCM601' : 27259, 'PotequeProspectorEnvironmentalAnalysisEY1005' : 27260, 'HardwiringZainouBeancounterCI1' : 27264, 'HardwiringPotequePharmaceuticalsDraftsmanGI1' : 27265, 'HardwiringZainouBeancounterCI2' : 27267, 'HardwiringPotequePharmaceuticalsDraftsmanGI2' : 27268, 'HardwiringPotequePharmaceuticalsConsulPPAX' : 27269, 'HardwiringPotequePharmaceuticalsConsulPPBX' : 27270, 'HardwiringPotequePharmaceuticalsConsulPPCX' : 27271, 'HardwiringPotequePharmaceuticalsConsulPPDX' : 27272, 'HardwiringPotequePharmaceuticalsConsulPPEX' : 27273, 'CivilianAmarrShuttle' : 27299, 'CivilianCaldariShuttle' : 27301, 'CivilianGallenteShuttle' : 27303, 'CivilianMinmatarShuttle' : 27305, 'GuristasInfernoRocket' : 27313, 'CaldariNavyInfernoRocket' : 27315, 'DreadGuristasInfernoRocket' : 27317, 'GuristasMjolnirRocket' : 27319, 'CaldariNavyMjolnirRocket' : 27321, 'DreadGuristasMjolnirRocket' : 27323, 'GuristasNovaRocket' : 27325, 'CaldariNavyNovaRocket' : 27327, 'DreadGuristasNovaRocket' : 27329, 'GuristasScourgeRocket' : 27331, 'CaldariNavyScourgeRocket' : 27333, 'DreadGuristasScourgeRocket' : 27335, 'GuristasMjolnirTorpedo' : 27337, 'CaldariNavyMjolnirTorpedo' : 27339, 'DreadGuristasMjolnirTorpedo' : 27341, 'GuristasScourgeTorpedo' : 27343, 'CaldariNavyScourgeTorpedo' : 27345, 'DreadGuristasScourgeTorpedo' : 27347, 'GuristasInfernoTorpedo' : 27349, 'CaldariNavyInfernoTorpedo' : 27351, 'GuristasScourgeLightMissile' : 27353, 'DreadGuristasInfernoTorpedo' : 27355, 'GuristasNovaTorpedo' : 27357, 'CaldariNavyNovaTorpedo' : 27359, 'CaldariNavyScourgeLightMissile' : 27361, 'DreadGuristasNovaTorpedo' : 27363, 'DreadGuristasScourgeLightMissile' : 27365, 'GuristasInfernoLightMissile' : 27367, 'DreadGuristasInfernoLightMissile' : 27369, 'CaldariNavyInfernoLightMissile' : 27371, 'GuristasMjolnirCruiseMissile' : 27373, 'DreadGuristasNovaLightMissile' : 27375, 'CaldariNavyMjolnirCruiseMissile' : 27377, 'GuristasNovaLightMissile' : 27379, 'CaldariNavyNovaLightMissile' : 27381, 'GuristasMjolnirLightMissile' : 27383, 'DreadGuristasMjolnirLightMissile' : 27385, 'CaldariNavyMjolnirLightMissile' : 27387, 'DreadGuristasMjolnirCruiseMissile' : 27389, 'GuristasScourgeCruiseMissile' : 27391, 'GuristasNovaHeavyAssaultMissile' : 27393, 'CaldariNavyScourgeCruiseMissile' : 27395, 'DreadGuristasNovaHeavyAssaultMissile' : 27397, 'DreadGuristasScourgeCruiseMissile' : 27399, 'CaldariNavyNovaHeavyAssaultMissile' : 27401, 'GuristasInfernoHeavyAssaultMissile' : 27403, 'CaldariNavyInfernoHeavyAssaultMissile' : 27405, 'DreadGuristasInfernoHeavyAssaultMissile' : 27407, 'GuristasInfernoCruiseMissile' : 27409, 'GuristasScourgeHeavyAssaultMissile' : 27411, 'CaldariNavyScourgeHeavyAssaultMissile' : 27413, 'DreadGuristasScourgeHeavyAssaultMissile' : 27415, 'GuristasMjolnirHeavyAssaultMissile' : 27417, 'CaldariNavyMjolnirHeavyAssaultMissile' : 27419, 'DreadGuristasMjolnirHeavyAssaultMissile' : 27421, 'CaldariNavyInfernoCruiseMissile' : 27423, 'DreadGuristasInfernoCruiseMissile' : 27425, 'GuristasNovaCruiseMissile' : 27427, 'CaldariNavyNovaCruiseMissile' : 27429, 'DreadGuristasNovaCruiseMissile' : 27431, 'GuristasMjolnirHeavyMissile' : 27433, 'CaldariNavyMjolnirHeavyMissile' : 27435, 'DreadGuristasMjolnirHeavyMissile' : 27437, 'GuristasScourgeHeavyMissile' : 27439, 'CaldariNavyScourgeHeavyMissile' : 27441, 'DreadGuristasScourgeHeavyMissile' : 27443, 'GuristasInfernoHeavyMissile' : 27445, 'CaldariNavyInfernoHeavyMissile' : 27447, 'DreadGuristasInfernoHeavyMissile' : 27449, 'GuristasNovaHeavyMissile' : 27451, 'CaldariNavyNovaHeavyMissile' : 27453, 'DreadGuristasNovaHeavyMissile' : 27455, 'BloodMjolnirFOFCruiseMissileI' : 27457, 'ImperialNavyMjolnirAutoTargetingCruiseMissileI' : 27459, 'DarkBloodMjolnirFOFCruiseMissileI' : 27461, 'GuristasScourgeFOFCruiseMissileI' : 27463, 'CaldariNavyScourgeAutoTargetingCruiseMissileI' : 27465, 'DreadGuristasScourgeFOFCruiseMissileI' : 27467, 'ShadowInfernoFOFCruiseMissileI' : 27469, 'FederationNavyInfernoAutoTargetingCruiseMissileI' : 27471, 'GuardianInfernoFOFCruiseMissileI' : 27473, 'ArchAngelNovaFOFCruiseMissileI' : 27475, 'RepublicFleetNovaAutoTargetingCruiseMissileI' : 27477, 'DominationNovaFOFCruiseMissileI' : 27479, 'BloodMjolnirFOFHeavyMissileI' : 27481, 'ImperialNavyMjolnirAutoTargetingHeavyMissileI' : 27483, 'DarkBloodMjolnirFOFHeavyMissileI' : 27485, 'GuristasScourgeFOFHeavyMissileI' : 27487, 'CaldariNavyScourgeAutoTargetingHeavyMissileI' : 27489, 'DreadGuristasScourgeFOFHeavyMissileI' : 27491, 'ShadowInfernoFOFHeavyMissileI' : 27493, 'FederationNavyInfernoAutoTargetingHeavyMissileI' : 27495, 'GuardianInfernoFOFHeavyMissileI' : 27497, 'ArchAngelNovaFOFHeavyMissileI' : 27499, 'RepublicFleetNovaAutoTargetingHeavyMissileI' : 27501, 'DominationNovaFOFHeavyMissileI' : 27503, 'BloodMjolnirFOFLightMissileI' : 27505, 'ImperialNavyMjolnirAutoTargetingLightMissileI' : 27507, 'DarkBloodMjolnirFOFLightMissileI' : 27509, 'GuristasScourgeFOFLightMissileI' : 27511, 'CaldariNavyScourgeAutoTargetingLightMissileI' : 27513, 'DreadGuristasScourgeFOFLightMissileI' : 27515, 'ShadowInfernoFOFLightMissileI' : 27517, 'FederationNavyInfernoAutoTargetingLightMissileI' : 27519, 'GuardianInfernoFOFLightMissileI' : 27521, 'ArchAngelNovaFOFLightMissileI' : 27523, 'RepublicFleetNovaAutoTargetingLightMissileI' : 27525, 'DominationNovaFOFLightMissileI' : 27527, 'RemoteECMBurstI' : 27678, 'SanshaMjolnirRocket' : 27883, 'TrueSanshaMjolnirRocket' : 27884, 'SanshaSabretoothLightMissile' : 27885, 'TrueSanshaSabretoothLightMissile' : 27886, 'SanshaMjolnirAssaultMissile' : 27887, 'TrueSanshaMjolnirHeavyAssaultMissile' : 27888, 'SanshaThunderboltHeavyMissile' : 27889, 'TrueSanshaThunderboltHeavyMissile' : 27890, 'SanshaMjolnirTorpedo' : 27891, 'TrueSanshaMjolnirTorpedo' : 27892, 'SanshaParadiseCruiseMissile' : 27893, 'TrueSanshaParadiseCruiseMissile' : 27894, 'RemoteHullRepairSystems' : 27902, 'LargeRemoteHullRepairerI' : 27904, 'TacticalLogisticsReconfiguration' : 27906, 'ProjectedElectronicCounterMeasures' : 27911, 'ConcussionBomb' : 27912, 'BombLauncherI' : 27914, 'ScorchBomb' : 27916, 'ShrapnelBomb' : 27918, 'ElectronBomb' : 27920, 'LockbreakerBomb' : 27922, 'VoidBomb' : 27924, 'MediumRemoteHullRepairerI' : 27930, 'SmallRemoteHullRepairerI' : 27932, 'CapitalRemoteHullRepairerI' : 27934, 'CapitalRemoteHullRepairSystems' : 27936, 'TriageModuleI' : 27951, 'BombDeployment' : 28073, 'Thermodynamics' : 28164, 'HeavyArmorMaintenanceBotII' : 28197, 'HeavyShieldMaintenanceBotII' : 28199, 'LightArmorMaintenanceBotII' : 28201, 'LightShieldMaintenanceBotII' : 28203, 'MediumArmorMaintenanceBotII' : 28205, 'MediumShieldMaintenanceBotII' : 28207, 'WardenII' : 28209, 'GardeII' : 28211, 'CuratorII' : 28213, 'BouncerII' : 28215, 'TaxEvasion' : 28261, 'IntegratedAcolyte' : 28262, 'AugmentedAcolyte' : 28264, 'IntegratedBerserker' : 28266, 'AugmentedBerserker' : 28268, 'IntegratedHammerhead' : 28270, 'AugmentedHammerhead' : 28272, 'IntegratedHobgoblin' : 28274, 'AugmentedHobgoblin' : 28276, 'IntegratedHornet' : 28278, 'AugmentedHornet' : 28280, 'IntegratedInfiltrator' : 28282, 'AugmentedInfiltrator' : 28284, 'IntegratedOgre' : 28286, 'AugmentedOgre' : 28288, 'IntegratedPraetor' : 28290, 'AugmentedPraetor' : 28292, 'IntegratedValkyrie' : 28294, 'AugmentedValkyrie' : 28296, 'IntegratedVespa' : 28298, 'AugmentedVespa' : 28300, 'IntegratedWarrior' : 28302, 'AugmentedWarrior' : 28304, 'IntegratedWasp' : 28306, 'AugmentedWasp' : 28308, 'RepublicFleetCarbonizedLeadL' : 28324, 'RepublicFleetCarbonizedLeadM' : 28326, 'RepublicFleetCarbonizedLeadS' : 28328, 'RepublicFleetCarbonizedLeadXL' : 28330, 'RepublicFleetDepletedUraniumL' : 28332, 'RepublicFleetDepletedUraniumM' : 28334, 'RepublicFleetDepletedUraniumS' : 28336, 'RepublicFleetDepletedUraniumXL' : 28338, 'Rorqual' : 28352, 'MinerIIChina' : 28369, 'OreCompression' : 28373, 'CapitalIndustrialShips' : 28374, 'RepublicFleetHeavyAssaultMissileLauncher' : 28375, 'CaldariNavyHeavyAssaultMissileLauncher' : 28377, 'DominationHeavyAssaultMissileLauncher' : 28379, 'DreadGuristasHeavyAssaultMissileLauncher' : 28381, 'TrueSanshaHeavyAssaultMissileLauncher' : 28383, 'KhanidNavyRocketLauncher' : 28511, 'KhanidNavyTorpedoLauncher' : 28513, 'KhanidNavyStasisWebifier' : 28514, 'KhanidNavyWarpDisruptor' : 28516, 'KhanidNavyWarpScrambler' : 28518, 'KhanidNavyAdaptiveNanoPlating' : 28520, 'KhanidNavyArmorEMHardener' : 28522, 'KhanidNavyArmorExplosiveHardener' : 28524, 'KhanidNavyArmorKineticHardener' : 28526, 'KhanidNavyArmorThermicHardener' : 28528, 'KhanidNavyCapRecharger' : 28530, 'KhanidNavyCapacitorPowerRelay' : 28532, 'KhanidNavyEnergizedAdaptiveNanoMembrane' : 28534, 'KhanidNavyEnergizedKineticMembrane' : 28536, 'KhanidNavyEnergizedExplosiveMembrane' : 28538, 'KhanidNavyEnergizedEMMembrane' : 28540, 'KhanidNavyEnergizedThermicMembrane' : 28542, 'KhanidNavyLargeArmorRepairer' : 28544, 'KhanidNavyLargeEMPSmartbomb' : 28545, 'KhanidNavyKineticPlating' : 28547, 'KhanidNavyMediumArmorRepairer' : 28549, 'KhanidNavyMediumEMPSmartbomb' : 28550, 'KhanidNavyExplosivePlating' : 28552, 'KhanidNavyEMPlating' : 28554, 'KhanidNavySmallArmorRepairer' : 28556, 'KhanidNavySmallEMPSmartbomb' : 28557, 'KhanidNavyThermicPlating' : 28559, 'KhanidNavyCoProcessor' : 28561, 'KhanidNavyBallisticControlSystem' : 28563, 'KhanidNavyHeavyAssaultMissileLauncher' : 28565, 'MiningLaserUpgradeII' : 28576, 'IceHarvesterUpgradeII' : 28578, 'IndustrialCoreI' : 28583, 'IndustrialReconfiguration' : 28585, 'TournamentObservation' : 28604, 'Orca' : 28606, 'HeavyInterdictionCruisers' : 28609, 'PlanetSatellite' : 28612, 'ElectronicAttackShips' : 28615, 'ImperialNavySecurityClearance' : 28631, 'CovertCynosuralFieldGeneratorI' : 28646, 'CovertJumpPortalGeneratorI' : 28652, 'WarpDisruptionFieldGeneratorI' : 28654, 'BlackOps' : 28656, 'Paladin' : 28659, 'Kronos' : 28661, 'Vargur' : 28665, 'Marauders' : 28667, 'NaniteRepairPaste' : 28668, 'SynthBluePillBooster' : 28670, 'SynthCrashBooster' : 28672, 'SynthDropBooster' : 28674, 'SynthExileBooster' : 28676, 'SynthFrentixBooster' : 28678, 'SynthMindfloodBooster' : 28680, 'SynthXInstinctBooster' : 28682, 'SynthSoothSayerBooster' : 28684, 'Golem' : 28710, 'LegionECMIonFieldProjector' : 28729, 'LegionECMMultispectralJammer' : 28731, 'LegionECMPhaseInverter' : 28733, 'LegionECMSpatialDestabilizer' : 28735, 'LegionECMWhiteNoiseGenerator' : 28737, 'ThukkerPowerDiagnosticSystem' : 28739, 'ThukkerMicroAuxiliaryPowerCore' : 28740, 'ThukkerSmallShieldExtender' : 28742, 'ThukkerLargeShieldExtender' : 28744, 'ThukkerMediumShieldExtender' : 28746, 'OREDeepCoreMiningLaser' : 28748, 'OREMiner' : 28750, 'OREIceHarvester' : 28752, 'OREStripMiner' : 28754, 'SistersExpandedProbeLauncher' : 28756, 'SistersCoreProbeLauncher' : 28758, 'SistersObservatorDeepSpaceProbe' : 28766, 'SistersRadarQuestProbe' : 28768, 'SyndicateReactorControlUnit' : 28776, 'Syndicate100mmSteelPlates' : 28778, 'Syndicate1600mmSteelPlates' : 28780, 'Syndicate200mmSteelPlates' : 28782, 'Syndicate400mmSteelPlates' : 28784, 'Syndicate800mmSteelPlates' : 28786, 'SyndicateGasCloudHarvester' : 28788, 'MidgradeCenturionAlpha' : 28790, 'MidgradeCenturionBeta' : 28791, 'MidgradeCenturionDelta' : 28792, 'MidgradeCenturionEpsilon' : 28793, 'MidgradeCenturionGamma' : 28794, 'MidgradeCenturionOmega' : 28795, 'MidgradeNomadAlpha' : 28796, 'MidgradeNomadBeta' : 28797, 'MidgradeNomadDelta' : 28798, 'MidgradeNomadEpsilon' : 28799, 'MidgradeNomadGamma' : 28800, 'MidgradeNomadOmega' : 28801, 'MidgradeHarvestAlpha' : 28802, 'MidgradeHarvestBeta' : 28803, 'MidgradeHarvestDelta' : 28804, 'MidgradeHarvestEpsilon' : 28805, 'MidgradeHarvestGamma' : 28806, 'MidgradeHarvestOmega' : 28807, 'MidgradeVirtueAlpha' : 28808, 'MidgradeVirtueBeta' : 28809, 'MidgradeVirtueDelta' : 28810, 'MidgradeVirtueEpsilon' : 28811, 'MidgradeVirtueGamma' : 28812, 'MidgradeVirtueOmega' : 28813, 'MidgradeEdgeAlpha' : 28814, 'MidgradeEdgeBeta' : 28815, 'MidgradeEdgeDelta' : 28816, 'MidgradeEdgeEpsilon' : 28817, 'MidgradeEdgeGamma' : 28818, 'MidgradeEdgeOmega' : 28819, 'Rhea' : 28844, 'Nomad' : 28846, 'Anshar' : 28848, 'Ark' : 28850, 'NaniteOperation' : 28879, 'NaniteInterfacing' : 28880, 'MiningLaserOptimizationI' : 28888, 'MiningLaserOptimizationII' : 28890, 'MiningLaserRangeI' : 28892, 'MiningLaserRangeII' : 28894, 'OptimalRangeScript' : 28999, 'TrackingSpeedScript' : 29001, 'FocusedWarpDisruptionScript' : 29003, 'OptimalRangeDisruptionScript' : 29005, 'TrackingSpeedDisruptionScript' : 29007, 'TargetingRangeScript' : 29009, 'ScanResolutionScript' : 29011, 'ScanResolutionDampeningScript' : 29013, 'TargetingRangeDampeningScript' : 29015, 'JumpFreighters' : 29029, 'Magnate' : 29248, 'Apotheosis' : 29266, 'AmarrMediaShuttle' : 29328, 'CaldariMediaShuttle' : 29330, 'GallenteMediaShuttle' : 29332, 'MinmatarMediaShuttle' : 29334, 'ScytheFleetIssue' : 29336, 'AugororNavyIssue' : 29337, 'OspreyNavyIssue' : 29340, 'ExequrorNavyIssue' : 29344, 'GuristasNovaCitadelTorpedo' : 29616, 'GuristasInfernoCitadelTorpedo' : 29618, 'GuristasScourgeCitadelTorpedo' : 29620, 'GuristasMjolnirCitadelTorpedo' : 29622, 'IndustrialCommandShips' : 29637, 'LegionDefensiveAdaptiveAugmenter' : 29964, 'LegionDefensiveNanobotInjector' : 29965, 'LegionDefensiveAugmentedPlating' : 29966, 'LegionDefensiveWarfareProcessor' : 29967, 'TenguDefensiveAdaptiveShielding' : 29969, 'TenguDefensiveAmplificationNode' : 29970, 'TenguDefensiveSupplementalScreening' : 29971, 'TenguDefensiveWarfareProcessor' : 29972, 'LokiDefensiveAdaptiveShielding' : 29974, 'LokiDefensiveAdaptiveAugmenter' : 29975, 'LokiDefensiveAmplificationNode' : 29976, 'LokiDefensiveWarfareProcessor' : 29977, 'ProteusDefensiveAdaptiveAugmenter' : 29979, 'ProteusDefensiveNanobotInjector' : 29980, 'ProteusDefensiveAugmentedPlating' : 29981, 'ProteusDefensiveWarfareProcessor' : 29982, 'Tengu' : 29984, 'Legion' : 29986, 'Proteus' : 29988, 'Loki' : 29990, 'CoreScannerProbeI' : 30013, 'CombatScannerProbeI' : 30028, 'LegionElectronicsEnergyParasiticComplex' : 30036, 'LegionElectronicsTacticalTargetingNetwork' : 30038, 'LegionElectronicsDissolutionSequencer' : 30040, 'LegionElectronicsEmergentLocusAnalyzer' : 30042, 'TenguElectronicsObfuscationManifold' : 30046, 'TenguElectronicsCPUEfficiencyGate' : 30048, 'TenguElectronicsDissolutionSequencer' : 30050, 'TenguElectronicsEmergentLocusAnalyzer' : 30052, 'ProteusElectronicsFrictionExtensionProcessor' : 30056, 'ProteusElectronicsCPUEfficiencyGate' : 30058, 'ProteusElectronicsDissolutionSequencer' : 30060, 'ProteusElectronicsEmergentLocusAnalyzer' : 30062, 'LokiElectronicsImmobilityDrivers' : 30066, 'LokiElectronicsTacticalTargetingNetwork' : 30068, 'LokiElectronicsDissolutionSequencer' : 30070, 'LokiElectronicsEmergentLocusAnalyzer' : 30072, 'LegionPropulsionChassisOptimization' : 30076, 'LegionPropulsionFuelCatalyst' : 30078, 'LegionPropulsionWakeLimiter' : 30080, 'LegionPropulsionInterdictionNullifier' : 30082, 'TenguPropulsionIntercalatedNanofibers' : 30086, 'TenguPropulsionGravitationalCapacitor' : 30088, 'TenguPropulsionFuelCatalyst' : 30090, 'TenguPropulsionInterdictionNullifier' : 30092, 'ProteusPropulsionWakeLimiter' : 30096, 'ProteusPropulsionLocalizedInjectors' : 30098, 'ProteusPropulsionGravitationalCapacitor' : 30100, 'ProteusPropulsionInterdictionNullifier' : 30102, 'LokiPropulsionChassisOptimization' : 30106, 'LokiPropulsionIntercalatedNanofibers' : 30108, 'LokiPropulsionFuelCatalyst' : 30110, 'LokiPropulsionInterdictionNullifier' : 30112, 'LegionOffensiveDroneSynthesisProjector' : 30117, 'LegionOffensiveAssaultOptimization' : 30118, 'LegionOffensiveLiquidCrystalMagnifiers' : 30119, 'LegionOffensiveCovertReconfiguration' : 30120, 'TenguOffensiveAcceleratedEjectionBay' : 30122, 'TenguOffensiveRiflingLauncherPattern' : 30123, 'TenguOffensiveMagneticInfusionBasin' : 30124, 'TenguOffensiveCovertReconfiguration' : 30125, 'ProteusOffensiveDissonicEncodingPlatform' : 30127, 'ProteusOffensiveHybridPropulsionArmature' : 30128, 'ProteusOffensiveDroneSynthesisProjector' : 30129, 'ProteusOffensiveCovertReconfiguration' : 30130, 'LokiOffensiveTurretConcurrenceRegistry' : 30132, 'LokiOffensiveProjectileScopingArray' : 30133, 'LokiOffensiveHardpointEfficiencyConfiguration' : 30134, 'LokiOffensiveCovertReconfiguration' : 30135, 'TenguEngineeringPowerCoreMultiplier' : 30139, 'TenguEngineeringAugmentedCapacitorReservoir' : 30141, 'TenguEngineeringCapacitorRegenerationMatrix' : 30143, 'TenguEngineeringSupplementalCoolantInjector' : 30145, 'ProteusEngineeringPowerCoreMultiplier' : 30149, 'ProteusEngineeringAugmentedCapacitorReservoir' : 30151, 'ProteusEngineeringCapacitorRegenerationMatrix' : 30153, 'ProteusEngineeringSupplementalCoolantInjector' : 30155, 'LokiEngineeringPowerCoreMultiplier' : 30159, 'LokiEngineeringAugmentedCapacitorReservoir' : 30161, 'LokiEngineeringCapacitorRegenerationMatrix' : 30163, 'LokiEngineeringSupplementalCoolantInjector' : 30165, 'LegionEngineeringPowerCoreMultiplier' : 30169, 'LegionEngineeringAugmentedCapacitorReservoir' : 30171, 'LegionEngineeringCapacitorRegenerationMatrix' : 30173, 'LegionEngineeringSupplementalCoolantInjector' : 30175, 'SnowballCXIV' : 30221, 'QAMegaModule' : 30223, 'DefensiveSubsystemTechnology' : 30324, 'EngineeringSubsystemTechnology' : 30325, 'ElectronicSubsystemTechnology' : 30326, 'OffensiveSubsystemTechnology' : 30327, 'CivilianStasisWebifier' : 30328, 'CivilianThermicDissipationField' : 30342, 'CivilianEMWardField' : 30420, 'CivilianExplosiveDeflectionField' : 30422, 'CivilianKineticDeflectionField' : 30424, 'PhantasmataMissile' : 30426, 'PraedormitanMissile' : 30428, 'OneiricMissile' : 30430, 'SistersCombatScannerProbe' : 30486, 'SistersCoreScannerProbe' : 30488, 'AmarrDefensiveSystems' : 30532, 'AmarrElectronicSystems' : 30536, 'AmarrOffensiveSystems' : 30537, 'AmarrPropulsionSystems' : 30538, 'AmarrEngineeringSystems' : 30539, 'GallenteDefensiveSystems' : 30540, 'GallenteElectronicSystems' : 30541, 'CaldariElectronicSystems' : 30542, 'MinmatarElectronicSystems' : 30543, 'CaldariDefensiveSystems' : 30544, 'MinmatarDefensiveSystems' : 30545, 'GallenteEngineeringSystems' : 30546, 'MinmatarEngineeringSystems' : 30547, 'CaldariEngineeringSystems' : 30548, 'CaldariOffensiveSystems' : 30549, 'GallenteOffensiveSystems' : 30550, 'MinmatarOffensiveSystems' : 30551, 'CaldariPropulsionSystems' : 30552, 'GallentePropulsionSystems' : 30553, 'MinmatarPropulsionSystems' : 30554, 'AmarrStrategicCruiser' : 30650, 'CaldariStrategicCruiser' : 30651, 'GallenteStrategicCruiser' : 30652, 'MinmatarStrategicCruiser' : 30653, 'PropulsionSubsystemTechnology' : 30788, 'RelicAnalyzerII' : 30832, 'DataAnalyzerII' : 30834, 'SalvagerII' : 30836, 'CivilianDamageControl' : 30839, 'InterBusShuttle' : 30842, 'SmallTrimarkArmorPumpI' : 30987, 'CapitalTrimarkArmorPumpI' : 30993, 'SmallAntiEMPumpI' : 30997, 'MediumAntiEMPumpI' : 30999, 'CapitalAntiEMPumpI' : 31001, 'SmallAntiEMPumpII' : 31003, 'MediumAntiEMPumpII' : 31005, 'CapitalAntiEMPumpII' : 31007, 'SmallAntiExplosivePumpI' : 31009, 'MediumAntiExplosivePumpI' : 31011, 'CapitalAntiExplosivePumpI' : 31013, 'SmallAntiExplosivePumpII' : 31015, 'MediumAntiExplosivePumpII' : 31017, 'CapitalAntiExplosivePumpII' : 31019, 'SmallAntiKineticPumpI' : 31021, 'MediumAntiKineticPumpI' : 31023, 'CapitalAntiKineticPumpI' : 31025, 'SmallAntiKineticPumpII' : 31027, 'MediumAntiKineticPumpII' : 31029, 'CapitalAntiKineticPumpII' : 31031, 'SmallAntiThermicPumpI' : 31033, 'MediumAntiThermicPumpI' : 31035, 'CapitalAntiThermicPumpI' : 31037, 'SmallAntiThermicPumpII' : 31039, 'MediumAntiThermicPumpII' : 31041, 'CapitalAntiThermicPumpII' : 31043, 'SmallAuxiliaryNanoPumpI' : 31045, 'MediumAuxiliaryNanoPumpI' : 31047, 'CapitalAuxiliaryNanoPumpII' : 31049, 'SmallAuxiliaryNanoPumpII' : 31051, 'MediumAuxiliaryNanoPumpII' : 31053, 'MediumTrimarkArmorPumpI' : 31055, 'SmallTrimarkArmorPumpII' : 31057, 'MediumTrimarkArmorPumpII' : 31059, 'CapitalTrimarkArmorPumpII' : 31061, 'SmallNanobotAcceleratorI' : 31063, 'MediumNanobotAcceleratorI' : 31065, 'CapitalNanobotAcceleratorI' : 31067, 'SmallNanobotAcceleratorII' : 31069, 'MediumNanobotAcceleratorII' : 31071, 'MediumRemoteRepairAugmentorI' : 31073, 'CapitalRemoteRepairAugmentorI' : 31075, 'SmallRemoteRepairAugmentorII' : 31077, 'MediumRemoteRepairAugmentorII' : 31079, 'CapitalRemoteRepairAugmentorII' : 31081, 'SmallSalvageTackleI' : 31083, 'MediumSalvageTackleI' : 31085, 'CapitalSalvageTackleI' : 31087, 'SmallSalvageTackleII' : 31089, 'MediumSalvageTackleII' : 31091, 'CapitalSalvageTackleII' : 31093, 'SmallAuxiliaryThrustersI' : 31105, 'MediumAuxiliaryThrustersI' : 31107, 'CapitalAuxiliaryThrustersI' : 31109, 'SmallAuxiliaryThrustersII' : 31111, 'MediumAuxiliaryThrustersII' : 31113, 'CapitalAuxiliaryThrustersII' : 31115, 'SmallCargoholdOptimizationI' : 31117, 'MediumCargoholdOptimizationI' : 31119, 'CapitalCargoholdOptimizationI' : 31121, 'SmallCargoholdOptimizationII' : 31123, 'MediumCargoholdOptimizationII' : 31125, 'CapitalCargoholdOptimizationII' : 31127, 'SmallDynamicFuelValveI' : 31129, 'MediumDynamicFuelValveI' : 31131, 'CapitalDynamicFuelValveI' : 31133, 'SmallDynamicFuelValveII' : 31135, 'MediumDynamicFuelValveII' : 31137, 'CapitalDynamicFuelValveII' : 31139, 'SmallEngineThermalShieldingI' : 31141, 'MediumEngineThermalShieldingI' : 31143, 'CapitalEngineThermalShieldingI' : 31145, 'SmallEngineThermalShieldingII' : 31147, 'MediumEngineThermalShieldingII' : 31149, 'CapitalEngineThermalShieldingII' : 31151, 'SmallLowFrictionNozzleJointsI' : 31153, 'MediumLowFrictionNozzleJointsI' : 31155, 'CapitalLowFrictionNozzleJointsI' : 31157, 'SmallHyperspatialVelocityOptimizerI' : 31159, 'MediumHyperspatialVelocityOptimizerI' : 31161, 'CapitalHyperspatialVelocityOptimizerI' : 31163, 'SmallHyperspatialVelocityOptimizerII' : 31165, 'MediumHyperspatialVelocityOptimizerII' : 31167, 'CapitalHyperspatialVelocityOptimizerII' : 31169, 'SmallLowFrictionNozzleJointsII' : 31171, 'MediumLowFrictionNozzleJointsII' : 31173, 'CapitalLowFrictionNozzleJointsII' : 31175, 'SmallPolycarbonEngineHousingI' : 31177, 'MediumPolycarbonEngineHousingI' : 31179, 'CapitalPolycarbonEngineHousingI' : 31181, 'SmallPolycarbonEngineHousingII' : 31183, 'MediumPolycarbonEngineHousingII' : 31185, 'CapitalPolycarbonEngineHousingII' : 31187, 'SmallWarpCoreOptimizerI' : 31189, 'MediumWarpCoreOptimizerI' : 31191, 'CapitalWarpCoreOptimizerI' : 31193, 'SmallWarpCoreOptimizerII' : 31195, 'MediumWarpCoreOptimizerII' : 31197, 'CapitalWarpCoreOptimizerII' : 31199, 'SmallEmissionScopeSharpenerI' : 31201, 'MediumEmissionScopeSharpenerI' : 31203, 'CapitalEmissionScopeSharpenerI' : 31205, 'SmallEmissionScopeSharpenerII' : 31207, 'MediumEmissionScopeSharpenerII' : 31209, 'CapitalEmissionScopeSharpenerII' : 31211, 'SmallGravityCapacitorUpgradeI' : 31213, 'MediumGravityCapacitorUpgradeI' : 31215, 'CapitalGravityCapacitorUpgradeI' : 31217, 'SmallGravityCapacitorUpgradeII' : 31220, 'MediumGravityCapacitorUpgradeII' : 31222, 'CapitalGravityCapacitorUpgradeII' : 31224, 'SmallLiquidCooledElectronicsI' : 31226, 'MediumLiquidCooledElectronicsI' : 31228, 'CapitalLiquidCooledElectronicsI' : 31230, 'SmallLiquidCooledElectronicsII' : 31232, 'MediumLiquidCooledElectronicsII' : 31234, 'CapitalLiquidCooledElectronicsII' : 31236, 'SmallMemeticAlgorithmBankI' : 31238, 'MediumMemeticAlgorithmBankI' : 31240, 'CapitalMemeticAlgorithmBankI' : 31242, 'SmallMemeticAlgorithmBankII' : 31244, 'MediumMemeticAlgorithmBankII' : 31246, 'CapitalMemeticAlgorithmBankII' : 31248, 'SmallSignalDisruptionAmplifierI' : 31250, 'MediumSignalDisruptionAmplifierI' : 31252, 'CapitalSignalDisruptionAmplifierI' : 31254, 'SmallSignalDisruptionAmplifierII' : 31256, 'MediumSignalDisruptionAmplifierII' : 31258, 'CapitalSignalDisruptionAmplifierII' : 31260, 'SmallInvertedSignalFieldProjectorI' : 31262, 'MediumInvertedSignalFieldProjectorI' : 31264, 'CapitalInvertedSignalFieldProjectorI' : 31266, 'SmallInvertedSignalFieldProjectorII' : 31268, 'MediumInvertedSignalFieldProjectorII' : 31270, 'CapitalInvertedSignalFieldProjectorII' : 31272, 'SmallIonicFieldProjectorI' : 31274, 'MediumIonicFieldProjectorI' : 31276, 'CapitalIonicFieldProjectorI' : 31278, 'SmallIonicFieldProjectorII' : 31280, 'MediumIonicFieldProjectorII' : 31282, 'CapitalIonicFieldProjectorII' : 31284, 'SmallParticleDispersionAugmentorI' : 31286, 'MediumParticleDispersionAugmentorI' : 31288, 'CapitalParticleDispersionAugmentorI' : 31290, 'SmallParticleDispersionAugmentorII' : 31292, 'MediumParticleDispersionAugmentorII' : 31294, 'CapitalParticleDispersionAugmentorII' : 31296, 'SmallParticleDispersionProjectorI' : 31298, 'MediumParticleDispersionProjectorI' : 31300, 'CapitalParticleDispersionProjectorI' : 31302, 'SmallParticleDispersionProjectorII' : 31304, 'MediumParticleDispersionProjectorII' : 31306, 'CapitalParticleDispersionProjectorII' : 31308, 'SmallSignalFocusingKitI' : 31310, 'MediumSignalFocusingKitI' : 31312, 'CapitalSignalFocusingKitI' : 31314, 'SmallSignalFocusingKitII' : 31316, 'MediumSignalFocusingKitII' : 31318, 'CapitalSignalFocusingKitII' : 31320, 'SmallTargetingSystemSubcontrollerI' : 31322, 'MediumTargetingSystemSubcontrollerI' : 31324, 'CapitalTargetingSystemSubcontrollerI' : 31326, 'SmallTargetingSystemSubcontrollerII' : 31328, 'MediumTargetingSystemSubcontrollerII' : 31330, 'CapitalTargetingSystemSubcontrollerII' : 31332, 'SmallTargetingSystemsStabilizerI' : 31334, 'MediumTargetingSystemsStabilizerI' : 31336, 'CapitalTargetingSystemsStabilizerI' : 31338, 'SmallTargetingSystemsStabilizerII' : 31340, 'MediumTargetingSystemsStabilizerII' : 31342, 'CapitalTargetingSystemsStabilizerII' : 31344, 'SmallTrackingDiagnosticSubroutinesI' : 31346, 'MediumTrackingDiagnosticSubroutinesI' : 31348, 'CapitalTrackingDiagnosticSubroutinesI' : 31350, 'SmallTrackingDiagnosticSubroutinesII' : 31352, 'MediumTrackingDiagnosticSubroutinesII' : 31354, 'CapitalTrackingDiagnosticSubroutinesII' : 31356, 'SmallAncillaryCurrentRouterI' : 31358, 'MediumAncillaryCurrentRouterI' : 31360, 'CapitalAncillaryCurrentRouterI' : 31362, 'SmallAncillaryCurrentRouterII' : 31364, 'MediumAncillaryCurrentRouterII' : 31366, 'CapitalAncillaryCurrentRouterII' : 31368, 'SmallCapacitorControlCircuitI' : 31370, 'MediumCapacitorControlCircuitI' : 31372, 'CapitalCapacitorControlCircuitI' : 31374, 'SmallCapacitorControlCircuitII' : 31376, 'MediumCapacitorControlCircuitII' : 31378, 'CapitalCapacitorControlCircuitII' : 31380, 'SmallEgressPortMaximizerI' : 31382, 'MediumEgressPortMaximizerI' : 31384, 'CapitalEgressPortMaximizerI' : 31386, 'SmallEgressPortMaximizerII' : 31388, 'MediumEgressPortMaximizerII' : 31390, 'CapitalEgressPortMaximizerII' : 31392, 'SmallPowergridSubroutineMaximizerI' : 31394, 'MediumPowergridSubroutineMaximizerI' : 31396, 'CapitalPowergridSubroutineMaximizerI' : 31398, 'SmallPowergridSubroutineMaximizerII' : 31400, 'MediumPowergridSubroutineMaximizerII' : 31402, 'CapitalPowergridSubroutineMaximizerII' : 31404, 'SmallSemiconductorMemoryCellI' : 31406, 'MediumSemiconductorMemoryCellI' : 31408, 'CapitalSemiconductorMemoryCellI' : 31410, 'SmallSemiconductorMemoryCellII' : 31412, 'MediumSemiconductorMemoryCellII' : 31414, 'CapitalSemiconductorMemoryCellII' : 31416, 'SmallAlgidEnergyAdministrationsUnitI' : 31418, 'MediumAlgidEnergyAdministrationsUnitI' : 31420, 'CapitalAlgidEnergyAdministrationsUnitI' : 31422, 'SmallAlgidEnergyAdministrationsUnitII' : 31424, 'MediumAlgidEnergyAdministrationsUnitII' : 31426, 'CapitalAlgidEnergyAdministrationsUnitII' : 31428, 'SmallEnergyAmbitExtensionI' : 31430, 'MediumEnergyAmbitExtensionI' : 31432, 'CapitalEnergyAmbitExtensionI' : 31434, 'SmallEnergyAmbitExtensionII' : 31436, 'MediumEnergyAmbitExtensionII' : 31438, 'CapitalEnergyAmbitExtensionII' : 31440, 'SmallEnergyBurstAeratorI' : 31442, 'MediumEnergyBurstAeratorI' : 31444, 'CapitalEnergyBurstAeratorI' : 31446, 'SmallEnergyBurstAeratorII' : 31448, 'MediumEnergyBurstAeratorII' : 31450, 'CapitalEnergyBurstAeratorII' : 31452, 'SmallEnergyCollisionAcceleratorI' : 31454, 'MediumEnergyCollisionAcceleratorI' : 31456, 'CapitalEnergyCollisionAcceleratorI' : 31458, 'SmallEnergyCollisionAcceleratorII' : 31460, 'MediumEnergyCollisionAcceleratorII' : 31462, 'CapitalEnergyCollisionAcceleratorII' : 31464, 'SmallEnergyDischargeElutriationI' : 31466, 'MediumEnergyDischargeElutriationI' : 31468, 'CapitalEnergyDischargeElutriationI' : 31470, 'SmallEnergyDischargeElutriationII' : 31472, 'MediumEnergyDischargeElutriationII' : 31474, 'CapitalEnergyDischargeElutriationII' : 31476, 'SmallEnergyLocusCoordinatorI' : 31478, 'MediumEnergyLocusCoordinatorI' : 31480, 'CapitalEnergyLocusCoordinatorI' : 31482, 'SmallEnergyLocusCoordinatorII' : 31484, 'MediumEnergyLocusCoordinatorII' : 31486, 'CapitalEnergyLocusCoordinatorII' : 31488, 'SmallEnergyMetastasisAdjusterI' : 31490, 'MediumEnergyMetastasisAdjusterI' : 31492, 'CapitalEnergyMetastasisAdjusterI' : 31494, 'SmallEnergyMetastasisAdjusterII' : 31496, 'MediumEnergyMetastasisAdjusterII' : 31498, 'CapitalEnergyMetastasisAdjusterII' : 31500, 'SmallAlgidHybridAdministrationsUnitI' : 31502, 'MediumAlgidHybridAdministrationsUnitI' : 31504, 'CapitalAlgidHybridAdministrationsUnitI' : 31506, 'SmallAlgidHybridAdministrationsUnitII' : 31508, 'MediumAlgidHybridAdministrationsUnitII' : 31510, 'CapitalAlgidHybridAdministrationsUnitII' : 31512, 'SmallHybridAmbitExtensionI' : 31514, 'MediumHybridAmbitExtensionI' : 31516, 'CapitalHybridAmbitExtensionI' : 31518, 'SmallHybridAmbitExtensionII' : 31520, 'MediumHybridAmbitExtensionII' : 31522, 'CapitalHybridAmbitExtensionII' : 31524, 'SmallHybridBurstAeratorI' : 31526, 'MediumHybridBurstAeratorI' : 31528, 'CapitalHybridBurstAeratorI' : 31530, 'SmallHybridBurstAeratorII' : 31532, 'MediumHybridBurstAeratorII' : 31534, 'CapitalHybridBurstAeratorII' : 31536, 'SmallHybridCollisionAcceleratorI' : 31538, 'MediumHybridCollisionAcceleratorI' : 31540, 'CapitalHybridCollisionAcceleratorI' : 31542, 'SmallHybridCollisionAcceleratorII' : 31544, 'MediumHybridCollisionAcceleratorII' : 31546, 'CapitalHybridCollisionAcceleratorII' : 31548, 'SmallHybridDischargeElutriationI' : 31550, 'MediumHybridDischargeElutriationI' : 31552, 'CapitalHybridDischargeElutriationI' : 31554, 'SmallHybridDischargeElutriationII' : 31556, 'MediumHybridDischargeElutriationII' : 31558, 'CapitalHybridDischargeElutriationII' : 31560, 'SmallHybridLocusCoordinatorI' : 31562, 'MediumHybridLocusCoordinatorI' : 31564, 'CapitalHybridLocusCoordinatorI' : 31566, 'SmallHybridLocusCoordinatorII' : 31568, 'MediumHybridLocusCoordinatorII' : 31570, 'CapitalHybridLocusCoordinatorII' : 31572, 'SmallHybridMetastasisAdjusterI' : 31574, 'MediumHybridMetastasisAdjusterI' : 31576, 'CapitalHybridMetastasisAdjusterI' : 31578, 'SmallHybridMetastasisAdjusterII' : 31580, 'MediumHybridMetastasisAdjusterII' : 31582, 'CapitalHybridMetastasisAdjusterII' : 31584, 'SmallBayLoadingAcceleratorI' : 31586, 'MediumBayLoadingAcceleratorI' : 31588, 'CapitalBayLoadingAcceleratorI' : 31590, 'SmallBayLoadingAcceleratorII' : 31592, 'MediumBayLoadingAcceleratorII' : 31594, 'CapitalBayLoadingAcceleratorII' : 31596, 'SmallHydraulicBayThrustersI' : 31598, 'MediumHydraulicBayThrustersI' : 31600, 'CapitalHydraulicBayThrustersI' : 31602, 'SmallHydraulicBayThrustersII' : 31604, 'MediumHydraulicBayThrustersII' : 31606, 'SmallRocketFuelCachePartitionI' : 31608, 'MediumRocketFuelCachePartitionI' : 31610, 'CapitalRocketFuelCachePartitionI' : 31612, 'SmallRocketFuelCachePartitionII' : 31614, 'MediumRocketFuelCachePartitionII' : 31616, 'CapitalRocketFuelCachePartitionII' : 31618, 'SmallWarheadCalefactionCatalystI' : 31620, 'MediumWarheadCalefactionCatalystI' : 31622, 'CapitalWarheadCalefactionCatalystI' : 31624, 'SmallWarheadCalefactionCatalystII' : 31626, 'MediumWarheadCalefactionCatalystII' : 31628, 'CapitalWarheadCalefactionCatalystII' : 31630, 'SmallWarheadFlareCatalystI' : 31632, 'MediumWarheadFlareCatalystI' : 31634, 'CapitalWarheadFlareCatalystI' : 31636, 'SmallWarheadFlareCatalystII' : 31638, 'MediumWarheadFlareCatalystII' : 31640, 'CapitalWarheadFlareCatalystII' : 31642, 'SmallWarheadRigorCatalystI' : 31644, 'MediumWarheadRigorCatalystI' : 31646, 'CapitalWarheadRigorCatalystI' : 31648, 'SmallWarheadRigorCatalystII' : 31650, 'MediumWarheadRigorCatalystII' : 31652, 'CapitalWarheadRigorCatalystII' : 31654, 'SmallProjectileAmbitExtensionI' : 31656, 'MediumProjectileAmbitExtensionI' : 31658, 'CapitalProjectileAmbitExtensionI' : 31660, 'SmallProjectileAmbitExtensionII' : 31662, 'MediumProjectileAmbitExtensionII' : 31664, 'CapitalProjectileAmbitExtensionII' : 31666, 'SmallProjectileBurstAeratorI' : 31668, 'MediumProjectileBurstAeratorI' : 31670, 'CapitalProjectileBurstAeratorI' : 31672, 'SmallProjectileBurstAeratorII' : 31674, 'MediumProjectileBurstAeratorII' : 31676, 'CapitalProjectileBurstAeratorII' : 31678, 'SmallProjectileCollisionAcceleratorI' : 31680, 'MediumProjectileCollisionAcceleratorI' : 31682, 'CapitalProjectileCollisionAcceleratorI' : 31684, 'SmallProjectileCollisionAcceleratorII' : 31686, 'MediumProjectileCollisionAcceleratorII' : 31688, 'CapitalProjectileCollisionAcceleratorII' : 31690, 'SmallProjectileLocusCoordinatorI' : 31692, 'MediumProjectileLocusCoordinatorI' : 31694, 'CapitalProjectileLocusCoordinatorI' : 31696, 'SmallProjectileLocusCoordinatorII' : 31698, 'MediumProjectileLocusCoordinatorII' : 31700, 'CapitalProjectileLocusCoordinatorII' : 31702, 'SmallProjectileMetastasisAdjusterI' : 31704, 'MediumProjectileMetastasisAdjusterI' : 31706, 'CapitalProjectileMetastasisAdjusterI' : 31708, 'SmallProjectileMetastasisAdjusterII' : 31710, 'MediumProjectileMetastasisAdjusterII' : 31712, 'CapitalProjectileMetastasisAdjusterII' : 31714, 'SmallAntiEMScreenReinforcerI' : 31716, 'MediumAntiEMScreenReinforcerI' : 31718, 'CapitalAntiEMScreenReinforcerI' : 31720, 'SmallAntiEMScreenReinforcerII' : 31722, 'MediumAntiEMScreenReinforcerII' : 31724, 'CapitalAntiEMScreenReinforcerII' : 31726, 'SmallAntiExplosiveScreenReinforcerI' : 31728, 'MediumAntiExplosiveScreenReinforcerI' : 31730, 'CapitalAntiExplosiveScreenReinforcerI' : 31732, 'SmallAntiExplosiveScreenReinforcerII' : 31734, 'MediumAntiExplosiveScreenReinforcerII' : 31736, 'CapitalAntiExplosiveScreenReinforcerII' : 31738, 'SmallAntiKineticScreenReinforcerI' : 31740, 'MediumAntiKineticScreenReinforcerI' : 31742, 'CapitalAntiKineticScreenReinforcerI' : 31744, 'SmallAntiKineticScreenReinforcerII' : 31746, 'MediumAntiKineticScreenReinforcerII' : 31748, 'CapitalAntiKineticScreenReinforcerII' : 31750, 'SmallAntiThermalScreenReinforcerI' : 31752, 'MediumAntiThermalScreenReinforcerI' : 31754, 'CapitalAntiThermalScreenReinforcerI' : 31756, 'SmallAntiThermalScreenReinforcerII' : 31758, 'MediumAntiThermalScreenReinforcerII' : 31760, 'CapitalAntiThermalScreenReinforcerII' : 31762, 'SmallCoreDefenseCapacitorSafeguardI' : 31764, 'MediumCoreDefenseCapacitorSafeguardI' : 31766, 'CapitalCoreDefenseCapacitorSafeguardI' : 31768, 'SmallCoreDefenseCapacitorSafeguardII' : 31770, 'MediumCoreDefenseCapacitorSafeguardII' : 31772, 'CapitalCoreDefenseCapacitorSafeguardII' : 31774, 'SmallCoreDefenseChargeEconomizerI' : 31776, 'MediumCoreDefenseChargeEconomizerI' : 31778, 'CapitalCoreDefenseChargeEconomizerI' : 31780, 'SmallCoreDefenseChargeEconomizerII' : 31782, 'MediumCoreDefenseChargeEconomizerII' : 31784, 'CapitalCoreDefenseChargeEconomizerII' : 31786, 'SmallCoreDefenseFieldExtenderI' : 31788, 'MediumCoreDefenseFieldExtenderI' : 31790, 'CapitalCoreDefenseFieldExtenderI' : 31792, 'SmallCoreDefenseFieldExtenderII' : 31794, 'MediumCoreDefenseFieldExtenderII' : 31796, 'CapitalCoreDefenseFieldExtenderII' : 31798, 'SmallCoreDefenseFieldPurgerI' : 31800, 'MediumCoreDefenseFieldPurgerI' : 31802, 'CapitalCoreDefenseFieldPurgerI' : 31804, 'SmallCoreDefenseFieldPurgerII' : 31810, 'MediumCoreDefenseFieldPurgerII' : 31812, 'CapitalCoreDefenseFieldPurgerII' : 31814, 'SmallCoreDefenseOperationalSolidifierI' : 31816, 'MediumCoreDefenseOperationalSolidifierI' : 31818, 'CapitalCoreDefenseOperationalSolidifierI' : 31820, 'SmallCoreDefenseOperationalSolidifierII' : 31822, 'MediumCoreDefenseOperationalSolidifierII' : 31824, 'CapitalCoreDefenseOperationalSolidifierII' : 31826, 'ImperialNavyAcolyte' : 31864, 'ImperialNavyInfiltrator' : 31866, 'ImperialNavyCurator' : 31868, 'ImperialNavyPraetor' : 31870, 'CaldariNavyHornet' : 31872, 'CaldariNavyVespa' : 31874, 'CaldariNavyWasp' : 31876, 'CaldariNavyWarden' : 31878, 'FederationNavyHobgoblin' : 31880, 'FederationNavyHammerhead' : 31882, 'FederationNavyOgre' : 31884, 'FederationNavyGarde' : 31886, 'RepublicFleetWarrior' : 31888, 'RepublicFleetValkyrie' : 31890, 'RepublicFleetBerserker' : 31892, 'RepublicFleetBouncer' : 31894, 'ImperialNavy100mmSteelPlates' : 31896, 'FederationNavy100mmSteelPlates' : 31898, 'ImperialNavy1600mmSteelPlates' : 31900, 'FederationNavy1600mmSteelPlates' : 31902, 'ImperialNavy200mmSteelPlates' : 31904, 'FederationNavy200mmSteelPlates' : 31906, 'ImperialNavy400mmSteelPlates' : 31908, 'FederationNavy400mmSteelPlates' : 31910, 'ImperialNavy800mmSteelPlates' : 31916, 'FederationNavy800mmSteelPlates' : 31918, 'CaldariNavySmallShieldExtender' : 31922, 'RepublicFleetSmallShieldExtender' : 31924, 'CaldariNavyMediumShieldExtender' : 31926, 'RepublicFleetMediumShieldExtender' : 31928, 'CaldariNavyLargeShieldExtender' : 31930, 'RepublicFleetLargeShieldExtender' : 31932, 'NavyMicroAuxiliaryPowerCore' : 31936, 'FederationNavyOmnidirectionalTrackingLink' : 31942, 'RepublicFleetTargetPainter' : 31944, 'ImperialNavyLargeRemoteCapacitorTransmitter' : 31946, 'ImperialNavyMediumRemoteCapacitorTransmitter' : 31948, 'ImperialNavySmallRemoteCapacitorTransmitter' : 31950, 'CaldariNavyPowerDiagnosticSystem' : 31952, 'HighgradeGrailAlpha' : 31954, 'HighgradeGrailBeta' : 31955, 'HighgradeGrailDelta' : 31956, 'HighgradeGrailEpsilon' : 31957, 'HighgradeGrailGamma' : 31958, 'HighgradeGrailOmega' : 31959, 'HighgradeTalonAlpha' : 31962, 'HighgradeTalonBeta' : 31963, 'HighgradeTalonDelta' : 31964, 'HighgradeTalonEpsilon' : 31965, 'HighgradeTalonGamma' : 31966, 'HighgradeTalonOmega' : 31967, 'HighgradeSpurAlpha' : 31968, 'HighgradeSpurBeta' : 31969, 'HighgradeSpurDelta' : 31970, 'HighgradeSpurEpsilon' : 31971, 'HighgradeSpurGamma' : 31972, 'HighgradeSpurOmega' : 31973, 'HighgradeJackalAlpha' : 31974, 'HighgradeJackalBeta' : 31975, 'HighgradeJackalDelta' : 31976, 'HighgradeJackalEpsilon' : 31977, 'HighgradeJackalGamma' : 31978, 'HighgradeJackalOmega' : 31979, 'NavyCapBooster100' : 31982, 'NavyCapBooster150' : 31990, 'NavyCapBooster200' : 31998, 'NavyCapBooster400' : 32006, 'NavyCapBooster800' : 32014, 'SmallDroneControlRangeAugmentorI' : 32025, 'MediumDroneControlRangeAugmentorI' : 32027, 'SmallDroneControlRangeAugmentorII' : 32029, 'MediumDroneControlRangeAugmentorII' : 32031, 'SmallDroneDurabilityEnhancerI' : 32033, 'MediumDroneDurabilityEnhancerI' : 32035, 'SmallDroneDurabilityEnhancerII' : 32037, 'MediumDroneDurabilityEnhancerII' : 32039, 'SmallDroneMiningAugmentorI' : 32041, 'MediumDroneMiningAugmentorI' : 32043, 'SmallDroneMiningAugmentorII' : 32045, 'MediumDroneMiningAugmentorII' : 32047, 'SmallDroneRepairAugmentorI' : 32049, 'MediumDroneRepairAugmentorI' : 32051, 'SmallDroneRepairAugmentorII' : 32053, 'MediumDroneRepairAugmentorII' : 32055, 'SmallDroneSpeedAugmentorI' : 32057, 'MediumDroneSpeedAugmentorI' : 32059, 'SmallDroneSpeedAugmentorII' : 32061, 'MediumDroneSpeedAugmentorII' : 32063, 'SmallEWDroneRangeAugmentorI' : 32065, 'MediumEWDroneRangeAugmentorI' : 32067, 'SmallDroneScopeChipI' : 32069, 'MediumDroneScopeChipI' : 32071, 'SmallDroneScopeChipII' : 32073, 'MediumDroneScopeChipII' : 32075, 'SmallEWDroneRangeAugmentorII' : 32077, 'MediumEWDroneRangeAugmentorII' : 32079, 'SmallSentryDamageAugmentorI' : 32081, 'MediumSentryDamageAugmentorI' : 32083, 'SmallSentryDamageAugmentorII' : 32085, 'MediumSentryDamageAugmentorII' : 32087, 'SmallStasisDroneAugmentorI' : 32089, 'MediumStasisDroneAugmentorI' : 32091, 'SmallStasisDroneAugmentorII' : 32093, 'MediumStasisDroneAugmentorII' : 32095, 'LowgradeGrailAlpha' : 32101, 'LowgradeGrailBeta' : 32102, 'LowgradeGrailDelta' : 32103, 'LowgradeGrailEpsilon' : 32104, 'LowgradeGrailGamma' : 32105, 'LowgradeSpurAlpha' : 32107, 'LowgradeSpurBeta' : 32108, 'LowgradeSpurDelta' : 32109, 'LowgradeSpurEpsilon' : 32110, 'LowgradeSpurGamma' : 32111, 'LowgradeTalonAlpha' : 32112, 'LowgradeTalonBeta' : 32113, 'LowgradeTalonDelta' : 32114, 'LowgradeTalonEpsilon' : 32115, 'LowgradeTalonGamma' : 32116, 'LowgradeJackalAlpha' : 32117, 'LowgradeJackalBeta' : 32118, 'LowgradeJackalDelta' : 32119, 'LowgradeJackalEpsilon' : 32120, 'LowgradeJackalGamma' : 32121, 'LowgradeGrailOmega' : 32122, 'LowgradeJackalOmega' : 32123, 'LowgradeSpurOmega' : 32124, 'LowgradeTalonOmega' : 32125, 'Freki' : 32207, 'Mimir' : 32209, 'RSSCoreScannerProbe' : 32246, 'NugoehuviSynthBluePillBooster' : 32248, 'ImperialNavyModifiedNobleImplant' : 32254, 'SanshaModifiedGnomeImplant' : 32255, 'SyndicateCloakingDevice' : 32260, 'BlackEagleDroneLinkAugmentor' : 32262, 'ArmageddonNavyIssue' : 32305, 'DominixNavyIssue' : 32307, 'ScorpionNavyIssue' : 32309, 'TyphoonFleetIssue' : 32311, 'Cyclops' : 32325, 'FighterBombers' : 32339, 'Malleus' : 32340, 'Tyrfing' : 32342, 'Mantis' : 32344, 'CompactDoomTorpedoI' : 32357, 'CompactPurgatoryTorpedoI' : 32359, 'CompactRiftTorpedoI' : 32361, 'CompactThorTorpedoI' : 32363, 'ShadowSerpentisRemoteSensorDampener' : 32413, 'DominationTargetPainter' : 32414, 'DarkBloodTrackingDisruptor' : 32416, 'TrueSanshaTrackingDisruptor' : 32417, 'CitadelCruiseMissiles' : 32435, 'ScourgeCitadelCruiseMissile' : 32436, 'NovaCitadelCruiseMissile' : 32438, 'InfernoCitadelCruiseMissile' : 32440, 'MjolnirCitadelCruiseMissile' : 32442, 'CitadelCruiseLauncherI' : 32444, 'CivilianWarpDisruptor' : 32459, 'CivilianLightMissileLauncher' : 32461, 'CivilianScourgeLightMissile' : 32463, 'CivilianHobgoblin' : 32465, 'CivilianSmallRemoteShieldBooster' : 32467, 'CivilianSmallRemoteArmorRepairer' : 32469, 'MediumAncillaryShieldBooster' : 32772, 'SmallAncillaryShieldBooster' : 32774, 'XLargeAncillaryShieldBooster' : 32780, 'LightDefenderMissileI' : 32782, 'SalvageDroneI' : 32787, 'Cambion' : 32788, 'Etana' : 32790, 'ArmorResistancePhasing' : 32797, 'OrbitalLaserS' : 32799, 'OrbitalEMPS' : 32801, 'OrbitalHybridS' : 32803, 'AmmatarNavyThermicPlating' : 32809, 'MiasmosAmastrisEdition' : 32811, 'MediumMercoxitMiningCrystalOptimizationI' : 32817, 'MediumIceHarvesterAcceleratorI' : 32819, 'InterBusCatalyst' : 32840, 'IntakiSyndicateCatalyst' : 32842, 'InnerZoneShippingCatalyst' : 32844, 'QuafeCatalyst' : 32846, 'AliastraCatalyst' : 32848, 'TacticalStrike' : 32856, 'Algos' : 32872, 'Dragoon' : 32874, 'Corax' : 32876, 'Talwar' : 32878, 'Venture' : 32880, 'MiningFrigate' : 32918, 'UnitD34343sModifiedDroneDamageAmplifier' : 32919, 'UnitF435454sModifiedDroneDamageAmplifier' : 32921, 'UnitP343554sModifiedDroneDamageAmplifier' : 32923, 'UnitW634sModifiedDroneDamageAmplifier' : 32925, 'UnitD34343sModifiedDroneLinkAugmentor' : 32927, 'UnitF435454sModifiedDroneLinkAugmentor' : 32929, 'UnitP343554sModifiedDroneLinkAugmentor' : 32931, 'UnitW634sModifiedDroneLinkAugmentor' : 32933, 'UnitD34343sModifiedOmnidirectionalTrackingLink' : 32935, 'UnitF435454sModifiedOmnidirectionalTrackingLink' : 32937, 'UnitP343554sModifiedOmnidirectionalTrackingLink' : 32939, 'UnitW634sModifiedOmnidirectionalTrackingLink' : 32941, 'UnitD34343sModifiedDroneNavigationComputer' : 32943, 'UnitF435454sModifiedDroneNavigationComputer' : 32945, 'UnitP343554sModifiedDroneNavigationComputer' : 32947, 'UnitW634sModifiedDroneNavigationComputer' : 32949, 'UnitD34343sModifiedDroneControlUnit' : 32951, 'UnitF435454sModifiedDroneControlUnit' : 32953, 'UnitP343554sModifiedDroneControlUnit' : 32955, 'UnitW634sModifiedDroneControlUnit' : 32957, 'SukuuvestaaHeron' : 32983, 'InnerZoneShippingImicus' : 32985, 'SarumMagnate' : 32987, 'VherokiorProbe' : 32989, 'SodiumFireworkCXIV' : 32993, 'BariumFireworkCXIV' : 32994, 'CopperFireworkCXIV' : 32995, 'MagnetometricSensorCompensation' : 32999, 'GravimetricSensorCompensation' : 33000, 'LadarSensorCompensation' : 33001, 'RadarSensorCompensation' : 33002, 'QASpaceAnchorImplant' : 33068, 'SmallAncillaryArmorRepairer' : 33076, 'ArmorLayering' : 33078, 'Hematos' : 33079, 'Taipan' : 33081, 'Violator' : 33083, 'AdvancedCerebralAccelerator' : 33087, 'AmarrDestroyer' : 33091, 'CaldariDestroyer' : 33092, 'GallenteDestroyer' : 33093, 'MinmatarDestroyer' : 33094, 'AmarrBattlecruiser' : 33095, 'CaldariBattlecruiser' : 33096, 'GallenteBattlecruiser' : 33097, 'MinmatarBattlecruiser' : 33098, 'NefantarThrasher' : 33099, 'MediumAncillaryArmorRepairer' : 33101, 'LargeAncillaryArmorRepairer' : 33103, 'PrototypeCerebralAccelerator' : 33111, 'BrutixNavyIssue' : 33151, 'DrakeNavyIssue' : 33153, 'HarbingerNavyIssue' : 33155, 'HurricaneFleetIssue' : 33157, 'ScanAcquisitionArrayI' : 33176, 'ScanPinpointingArrayI' : 33178, 'ScanRangefindingArrayI' : 33180, 'TashMurkonMagnate' : 33190, 'ScanAcquisitionArrayII' : 33197, 'ScanPinpointingArrayII' : 33199, 'ScanRangefindingArrayII' : 33201, 'SurveyProbeLauncherI' : 33270, 'SurveyProbeLauncherII' : 33272, 'CapitalDroneControlRangeAugmentorI' : 33277, 'CapitalDroneControlRangeAugmentorII' : 33279, 'CapitalDroneDurabilityEnhancerI' : 33281, 'CapitalDroneDurabilityEnhancerII' : 33283, 'CapitalDroneMiningAugmentorI' : 33285, 'CapitalDroneMiningAugmentorII' : 33287, 'CapitalDroneRepairAugmentorI' : 33289, 'CapitalDroneRepairAugmentorII' : 33291, 'CapitalDroneScopeChipI' : 33293, 'CapitalDroneScopeChipII' : 33295, 'CapitalDroneSpeedAugmentorI' : 33297, 'CapitalDroneSpeedAugmentorII' : 33298, 'CapitalHydraulicBayThrustersII' : 33301, 'CapitalProcessorOverclockingUnitI' : 33303, 'CapitalProcessorOverclockingUnitII' : 33305, 'CapitalSentryDamageAugmentorI' : 33307, 'CapitalSentryDamageAugmentorII' : 33309, 'CapitalStasisDroneAugmentorI' : 33311, 'CapitalStasisDroneAugmentorII' : 33313, 'CapsuleGenolutionAuroral197variant' : 33328, 'GenolutionAuroralAU79' : 33329, 'NavyCapBooster25' : 33330, 'NavyCapBooster50' : 33332, 'NavyCapBooster75' : 33334, 'QACrossProtocolAnalyzer' : 33375, 'GenolutionCoreAugmentationCA3' : 33393, 'GenolutionCoreAugmentationCA4' : 33394, 'Moracha' : 33395, 'Chremoas' : 33397, 'InfomorphSynchronizing' : 33399, 'BastionModuleI' : 33400, 'ImperialNavyWarfareMindlink' : 33403, 'FederationNavyWarfareMindlink' : 33404, 'RepublicFleetWarfareMindlink' : 33405, 'CaldariNavyWarfareMindlink' : 33406, 'AdvancedInfomorphPsychology' : 33407, 'ArbalestRapidHeavyMissileLauncherI' : 33440, 'LimosRapidHeavyMissileLauncherI' : 33441, 'MalkuthRapidHeavyMissileLauncherI' : 33442, 'CaldariNavyRapidHeavyMissileLauncher' : 33446, 'RapidHeavyMissileLauncherI' : 33448, 'RapidHeavyMissileLauncherII' : 33450, 'DominationRapidHeavyMissileLauncher' : 33452, 'DreadGuristasRapidHeavyMissileLauncher' : 33453, 'EstamelsModifiedRapidHeavyMissileLauncher' : 33454, 'GotansModifiedRapidHeavyMissileLauncher' : 33455, 'HakimsModifiedRapidHeavyMissileLauncher' : 33456, 'KaikkasModifiedRapidHeavyMissileLauncher' : 33457, 'MizurosModifiedRapidHeavyMissileLauncher' : 33458, 'RepublicFleetRapidHeavyMissileLauncher' : 33459, 'ShaqilsModifiedRapidHeavyMissileLauncher' : 33461, 'ThonsModifiedRapidHeavyMissileLauncher' : 33462, 'TobiasModifiedRapidHeavyMissileLauncher' : 33463, 'TrueSanshaRapidHeavyMissileLauncher' : 33464, 'VepasModifiedRapidHeavyMissileLauncher' : 33465, 'YO5000RapidHeavyMissileLauncher' : 33466, 'CustomsCodeExpertise' : 33467, 'Astero' : 33468, 'Stratios' : 33470, 'Nestor' : 33472, 'QAWarpAccelerator' : 33486, 'QAAgilityBooster' : 33512, 'Leopard' : 33513, 'HighgradeAscendancyAlpha' : 33516, 'HighgradeAscendancyBeta' : 33525, 'HighgradeAscendancyDelta' : 33526, 'HighgradeAscendancyEpsilon' : 33527, 'HighgradeAscendancyGamma' : 33528, 'HighgradeAscendancyOmega' : 33529, 'StratiosEmergencyResponder' : 33553, 'MidgradeAscendancyAlpha' : 33555, 'MidgradeAscendancyBeta' : 33557, 'MidgradeAscendancyDelta' : 33559, 'MidgradeAscendancyEpsilon' : 33561, 'MidgradeAscendancyGamma' : 33563, 'MidgradeAscendancyOmega' : 33565, 'Snowball' : 33569, 'SodiumFirework' : 33571, 'BariumFirework' : 33572, 'CopperFirework' : 33573, 'AbaddonTashMurkonEdition' : 33623, 'AbaddonKadorEdition' : 33625, 'RokhNugoeihuviEdition' : 33627, 'RokhWiyrkomiEdition' : 33629, 'MaelstromNefantarEdition' : 33631, 'MaelstromKrusualEdition' : 33633, 'HyperionAliastraEdition' : 33635, 'HyperionInnerZoneShippingEdition' : 33637, 'OmenKadorEdition' : 33639, 'OmenTashMurkonEdition' : 33641, 'CaracalNugoeihuviEdition' : 33643, 'CaracalWiyrkomiEdition' : 33645, 'StabberNefantarEdition' : 33647, 'StabberKrusualEdition' : 33649, 'ThoraxAliastraEdition' : 33651, 'ThoraxInnerZoneShippingEdition' : 33653, 'PunisherKadorEdition' : 33655, 'PunisherTashMurkonEdition' : 33657, 'MerlinNugoeihuviEdition' : 33659, 'MerlinWiyrkomiEdition' : 33661, 'RifterNefantarEdition' : 33663, 'RifterKrusualEdition' : 33665, 'IncursusAliastraEdition' : 33667, 'IncursusInnerZoneShippingEdition' : 33669, 'HeavyHullMaintenanceBotI' : 33671, 'Whiptail' : 33673, 'Chameleon' : 33675, 'PolicePursuitComet' : 33677, 'Gecko' : 33681, 'MackinawOREDevelopmentEdition' : 33683, 'OrcaOREDevelopmentEdition' : 33685, 'RorqualOREDevelopmentEdition' : 33687, 'IteronInnerZoneShippingEdition' : 33689, 'TayraWiyrkomiEdition' : 33691, 'MammothNefantarEdition' : 33693, 'BestowerTashMurkonEdition' : 33695, 'Prospect' : 33697, 'MediumDroneOperation' : 33699, 'MediumHullMaintenanceBotI' : 33704, 'LightHullMaintenanceBotI' : 33706, 'HeavyHullMaintenanceBotII' : 33708, 'MediumHullMaintenanceBotII' : 33710, 'LightHullMaintenanceBotII' : 33712, 'QAMiningLaserUpgrade' : 33762, 'CyberneticSourceSubprocessor' : 33807, 'NeuralSourceBoost' : 33808, 'Garmur' : 33816, 'Orthrus' : 33818, 'Barghest' : 33820, 'OmnidirectionalTrackingEnhancerI' : 33822, 'OmnidirectionalTrackingEnhancerII' : 33824, 'SentientOmnidirectionalTrackingLink' : 33826, 'SentientOmnidirectionalTrackingEnhancer' : 33828, 'DreadGuristasOmnidirectionalTrackingEnhancer' : 33830, 'ImperialNavyOmnidirectionalTrackingEnhancer' : 33832, 'UnitD34343sModifiedOmnidirectionalTrackingEnhancer' : 33834, 'UnitF435454sModifiedOmnidirectionalTrackingEnhancer' : 33836, 'UnitP343554sModifiedOmnidirectionalTrackingEnhancer' : 33838, 'UnitW634sModifiedOmnidirectionalTrackingEnhancer' : 33840, 'FederationNavyDroneDamageAmplifier' : 33842, 'ImperialNavyDroneDamageAmplifier' : 33844, 'DreadGuristasDroneDamageAmplifier' : 33846, 'SentientDroneDamageAmplifier' : 33848, 'FederationNavyDroneNavigationComputer' : 33850, 'SentientDroneNavigationComputer' : 33852, 'ExpeditionFrigates' : 33856, 'BrutixSerpentisEdition' : 33869, 'CycloneThukkerTribeEdition' : 33871, 'FeroxGuristasEdition' : 33873, 'ProphecyBloodRaidersEdition' : 33875, 'CatalystSerpentisEdition' : 33877, 'CoercerBloodRaidersEdition' : 33879, 'CormorantGuristasEdition' : 33881, 'ThrasherThukkerTribeEdition' : 33883, 'SmallTransverseBulkheadI' : 33890, 'SmallTransverseBulkheadII' : 33892, 'MediumTransverseBulkheadI' : 33894, 'MediumTransverseBulkheadII' : 33896, 'LargeTransverseBulkheadI' : 33898, 'LargeTransverseBulkheadII' : 33900, 'CapitalTransverseBulkheadI' : 33902, 'CapitalTransverseBulkheadII' : 33904, 'MediumMicroJumpDrive' : 33915, 'LowgradeCenturionAlpha' : 33917, 'LowgradeCenturionBeta' : 33918, 'LowgradeCenturionDelta' : 33919, 'LowgradeCenturionEpsilon' : 33920, 'LowgradeCenturionGamma' : 33921, 'LowgradeCenturionOmega' : 33922, 'LowgradeCrystalAlpha' : 33923, 'LowgradeCrystalBeta' : 33924, 'LowgradeCrystalDelta' : 33925, 'LowgradeCrystalEpsilon' : 33926, 'LowgradeCrystalGamma' : 33927, 'LowgradeCrystalOmega' : 33928, 'LowgradeEdgeAlpha' : 33929, 'LowgradeEdgeBeta' : 33930, 'LowgradeEdgeDelta' : 33931, 'LowgradeEdgeEpsilon' : 33932, 'LowgradeEdgeGamma' : 33933, 'LowgradeEdgeOmega' : 33934, 'LowgradeHaloAlpha' : 33935, 'LowgradeHaloBeta' : 33936, 'LowgradeHaloDelta' : 33937, 'LowgradeHaloEpsilon' : 33938, 'LowgradeHaloGamma' : 33939, 'LowgradeHaloOmega' : 33940, 'LowgradeHarvestAlpha' : 33941, 'LowgradeHarvestBeta' : 33942, 'LowgradeHarvestDelta' : 33943, 'LowgradeHarvestEpsilon' : 33944, 'LowgradeHarvestGamma' : 33945, 'LowgradeHarvestOmega' : 33946, 'LowgradeNomadAlpha' : 33947, 'LowgradeNomadBeta' : 33948, 'LowgradeNomadDelta' : 33949, 'LowgradeNomadEpsilon' : 33950, 'LowgradeNomadGamma' : 33951, 'LowgradeNomadOmega' : 33952, 'LowgradeSlaveAlpha' : 33953, 'LowgradeSlaveBeta' : 33954, 'LowgradeSlaveDelta' : 33955, 'LowgradeSlaveEpsilon' : 33956, 'LowgradeSlaveGamma' : 33957, 'LowgradeSlaveOmega' : 33958, 'LowgradeSnakeAlpha' : 33959, 'LowgradeSnakeBeta' : 33960, 'LowgradeSnakeDelta' : 33961, 'LowgradeSnakeEpsilon' : 33962, 'LowgradeSnakeGamma' : 33963, 'LowgradeSnakeOmega' : 33964, 'LowgradeTalismanAlpha' : 33965, 'LowgradeTalismanBeta' : 33966, 'LowgradeTalismanDelta' : 33967, 'LowgradeTalismanEpsilon' : 33968, 'LowgradeTalismanGamma' : 33969, 'LowgradeTalismanOmega' : 33970, 'LowgradeVirtueAlpha' : 33971, 'LowgradeVirtueBeta' : 33972, 'LowgradeVirtueDelta' : 33973, 'LowgradeVirtueEpsilon' : 33974, 'LowgradeVirtueGamma' : 33975, 'LowgradeVirtueOmega' : 33976, 'LimitedHyperspatialAccelerator' : 33981, 'ExperimentalHyperspatialAccelerator' : 33983, 'PrototypeHyperspatialAccelerator' : 33985, 'MegathronQuafeEdition' : 34118, 'LimitedJumpDriveEconomizer' : 34122, 'ExperimentalJumpDriveEconomizer' : 34124, 'PrototypeJumpDriveEconomizer' : 34126, 'RattlesnakeVictoryEdition' : 34151, 'ApocalypseBloodRaiderEdition' : 34213, 'ApocalypseKadorEdition' : 34215, 'ApocalypseTashMurkonEdition' : 34217, 'PaladinBloodRaiderEdition' : 34219, 'PaladinKadorEdition' : 34221, 'PaladinTashMurkonEdition' : 34223, 'RavenGuristasEdition' : 34225, 'RavenKaalakiotaEdition' : 34227, 'RavenNugoeihuviEdition' : 34229, 'GolemGuristasEdition' : 34231, 'GolemKaalakiotaEdition' : 34233, 'GolemNugoeihuviEdition' : 34235, 'MegathronPoliceEdition' : 34237, 'MegathronInnerZoneShippingEdition' : 34239, 'KronosPoliceEdition' : 34241, 'KronosQuafeEdition' : 34243, 'KronosInnerZoneShippingEdition' : 34245, 'TempestJusticeEdition' : 34247, 'TempestKrusualEdition' : 34249, 'TempestNefantarEdition' : 34251, 'VargurJusticeEdition' : 34253, 'VargurKrusualEdition' : 34255, 'VargurNefantarEdition' : 34257, 'SurgicalWarpDisruptProbe' : 34260, 'FocusedVoidBomb' : 34264, 'SmallHiggsAnchorI' : 34266, 'MediumHiggsAnchorI' : 34268, 'TestResistanceSmallLaser2' : 34271, 'PolarizedSmallFocusedPulseLaser' : 34272, 'PolarizedHeavyPulseLaser' : 34274, 'PolarizedMegaPulseLaser' : 34276, 'PolarizedLightNeutronBlaster' : 34278, 'PolarizedHeavyNeutronBlaster' : 34280, 'PolarizedNeutronBlasterCannon' : 34282, 'Polarized200mmAutoCannon' : 34284, 'Polarized425mmAutoCannon' : 34286, 'Polarized800mmRepeatingCannon' : 34288, 'PolarizedRocketLauncher' : 34290, 'PolarizedHeavyAssaultMissileLauncher' : 34292, 'PolarizedTorpedoLauncher' : 34294, 'LargeHiggsAnchorI' : 34306, 'CapitalHiggsAnchorI' : 34308, 'Confessor' : 34317, 'ConfessorDefenseMode' : 34319, 'ConfessorSharpshooterMode' : 34321, 'ConfessorPropulsionMode' : 34323, 'OREFreighter' : 34327, 'Bowhead' : 34328, 'MorosInterbusEdition' : 34339, 'NaglfarJusticeEdition' : 34341, 'PhoenixWiyrkomiEdition' : 34343, 'RevelationSarumEdition' : 34345, 'AmarrTacticalDestroyer' : 34390, 'DominixQuafeEdition' : 34441, 'TristanQuafeEdition' : 34443, 'VexorQuafeEdition' : 34445, 'YC117' : 34457, 'DominationInertialStabilizers' : 34481, 'ShadowSerpentisInertialStabilizers' : 34483, 'OREReinforcedBulkheads' : 34485, 'SyndicateReinforcedBulkheads' : 34487, 'OREExpandedCargohold' : 34489, 'CouncilDiplomaticShuttle' : 34496, 'MinmatarTacticalDestroyer' : 34533, 'Svipul' : 34562, 'SvipulDefenseMode' : 34564, 'SvipulPropulsionMode' : 34566, 'SvipulSharpshooterMode' : 34570, 'LuxKontos' : 34580, 'VictorieuxLuxuryYacht' : 34590, 'EntosisLinkI' : 34593, 'EntosisLinkII' : 34595, 'QAEntosisLink' : 34826, 'Jackdaw' : 34828, '10MNYS8CompactAfterburner' : 35656, '100MNYS8CompactAfterburner' : 35657, '5MNQuadLiFRestrainedMicrowarpdrive' : 35658, '50MNYT8CompactMicrowarpdrive' : 35659, '50MNQuadLiFRestrainedMicrowarpdrive' : 35660, '500MNYT8CompactMicrowarpdrive' : 35661, '500MNQuadLiFRestrainedMicrowarpdrive' : 35662, 'JackdawDefenseMode' : 35676, 'JackdawPropulsionMode' : 35677, 'JackdawSharpshooterMode' : 35678, 'CaldariTacticalDestroyer' : 35680 }
import { setSeat } from '../sockets'; const joined = ({ seat, id }) => { // store seat and id console.log(seat, id); setSeat(seat); }; export default [ ['joined', joined], ];
// Karma configuration // Generated on Thu Aug 21 2014 10:24:39 GMT+0200 (CEST) module.exports = function(config) { config.set({ // base path that will be used to resolve all patterns (eg. files, exclude) basePath: '', // frameworks to use // available frameworks: https://npmjs.org/browse/keyword/karma-adapter frameworks: ['mocha', 'chai-jquery', 'jquery-1.8.3', 'sinon-chai'], plugins: [ 'karma-mocha', 'karma-chai', 'karma-sinon-chai', 'karma-chrome-launcher', 'karma-phantomjs2-launcher', 'karma-jquery', 'karma-chai-jquery' ], // list of files / patterns to load in the browser files: [ 'bower/angular/angular.js', 'bower/angular-cookies/angular-cookies.js', 'bower/angular-mocks/angular-mocks.js', 'dist/angular-consent.js', 'test/unit/**/*.js' ], // list of files to exclude exclude: [ ], // preprocess matching files before serving them to the browser // available preprocessors: https://npmjs.org/browse/keyword/karma-preprocessor preprocessors: { }, // test results reporter to use // possible values: 'dots', 'progress' // available reporters: https://npmjs.org/browse/keyword/karma-reporter reporters: ['progress'], // web server port port: 9876, // enable / disable colors in the output (reporters and logs) colors: true, // level of logging // possible values: config.LOG_DISABLE || config.LOG_ERROR || config.LOG_WARN || config.LOG_INFO || config.LOG_DEBUG logLevel: config.LOG_INFO, // enable / disable watching file and executing tests whenever any file changes autoWatch: true, // start these browsers // available browser launchers: https://npmjs.org/browse/keyword/karma-launcher browsers: ['PhantomJS2'], // Continuous Integration mode // if true, Karma captures browsers, runs the tests and exits singleRun: false }); };
import { StyleSheet, Dimensions, Platform } from 'react-native'; import deepAssign from 'deep-assign'; import Color from 'color'; import { getStateStyles } from '../styles/helper'; export default (theme, props) => { let { labelColor, rippleColor } = getStateStyles(theme, props); if (!labelColor) { labelColor = theme.labelColor; } if (! rippleColor) { rippleColor = theme.rippleColor; } return { ripple: rippleColor, sheet: StyleSheet.create({ container: { borderRadius: 2, backgroundColor: theme.backgroundColor, paddingLeft: 16, paddingRight: 16, paddingTop: 8, paddingBottom: 8, justifyContent: 'center', alignItems: 'center', flexDirection: 'row' }, icon: { fontSize: 14, color: labelColor, }, iconLeft: { marginRight: 5, }, iconRight: { marginLeft: 5, }, label: { fontSize: 14, color: labelColor, }, }) }; };
/** * Created by Peter on 2018. 3. 12.. */ "use strict"; var assert = require('assert'); var config = require('../../config/config'); var Logger = require('../../lib/log'); var convertGeocode = require('../../utils/convertGeocode'); var keybox = require('../../config/config').keyString; var util = require('util'); var async = require('async'); var convert = require('../../utils/coordinate2xy'); var kaqImage = config.image.kaq_korea_image; var kaqModelingImage = config.image.kaq_korea_modeling_image; global.log = new Logger(__dirname + "/debug.log"); var town = require('../../models/town'); describe('Test - KAQ modelimg_CASE4 Image parser ', function(){ it('get pm10 map pixels', function(done){ var parser = new (require('../../lib/kaq.finedust.image.parser'))(); var image_url = './test/testImageParser/PM2_5_Animation.gif'; var imageData = { width: parseInt(kaqImage.size.width), height: parseInt(kaqImage.size.height), map_width: parseInt(kaqImage.pixel_pos.right) - parseInt(kaqImage.pixel_pos.left), map_height: parseInt(kaqImage.pixel_pos.bottom) - parseInt(kaqImage.pixel_pos.top) }; parser.getPixelMap(image_url, 'CASE4', 'image/gif', null, function(err, pixels){ if(err){ log.error('Error !! : ', err); assert.equal(null, imageData, 'Fail to get pixels data'); done(); } log.info('Image W: ', pixels.image_width, 'H: ', pixels.image_height); log.info('Map W: ', pixels.map_width, 'H: ', pixels.map_height); var ret = { width: pixels.image_width, height: pixels.image_height, map_width: pixels.map_width, map_height: pixels.map_height }; assert.equal(imageData.width, pixels.image_width, 'Fail to parse - wrong image width'); assert.equal(imageData.height, pixels.image_height, 'Fail to parse - wrong image height'); assert.equal(imageData.map_width, pixels.map_width, 'Fail to parse - wrong map width'); assert.equal(imageData.map_height, pixels.map_height, 'Fail to parse - wrong map height'); done(); }); }); it('dust image', function(done){ var controller = new (require('../../controllers/kaq.dust.image.controller'))(); var image_pm10_url = './test/testImageParser/PM10_Animation.gif'; var image_pm25_url = './test/testImageParser/PM2_5_Animation.gif'; //var geocode = {lat: 35.8927778, lon : 129.4949194}; //var geocode = {lat : 35.1569750, lon : 126.8533639}; // 광주광역시 //var geocode = {lat : 37.7491361, lon : 128.8784972}; //강릉시 //var geocode = {lat : 35.8685417, lon : 128.6035528}; // 대구광역시 var geocode = {lat : 37.5635694, lon : 126.9800083}; // 서울특별시 var expectedColorValue_pm10 = [ 112,104,96,80,56,44,52,44,44,36, 28,36,36,32,32,32,32,32,32,32,40, 44,60,44,56,44,36,28,32,28,28,24, 24,28,36,36,44,44,40,36,32,32,36, 32,28,16,8,12,4,8,16,12,40,28,36, 36,28,24,24,32,32,24,4,4,4,4,8,8, 12,16,16,16,16,16,16,16,16,12,12, 12,12,12,12,12,12,16,16,20,20,24, 24,24,24,28,36,40,32,28,24,24,24, 20,16,16,20,24,32,32,28,28,28,32, 28,24,28,24,28,32,36,44,44,36,28, 32,24,24,20,20,20,20,16,16,12,12,12,12,12]; var expectedColorValue_pm25 = [ 72,64,52,40,28,24,28,20,20,16,20, 16,16,16,20,20,20,24,24,24,28,28, 36,36,28,24,24,20,20,20,16,16,16, 20,24,28,32,32,32,28,24,28,28,20, 24,12,4,12,4,4,4,12,16,20,24,24,28, 12,20,24,28,24,4,4,4,4,4,4,8,8,8,12, 12,12,12,8,12,12,8,8,8,12,12,12,12, 12,12,16,16,20,20,20,24,20,28,28,24, 20,16,16,20,16,12,12,12,16,20,24,20, 20,24,24,24,20,24,20,24,24,32,28,28, 24,28,28,20,20,16,16,16,16,12,12,8,8,8,8,12]; var controllerManager = require('../../controllers/controllerManager'); global.manager = new controllerManager(); controller.getImaggPath = function(type, callback){ if(type === 'PM10'){ return callback(undefined, {pubDate: '2017-11-10 11시 발표', path: image_pm10_url}); } return callback(undefined, {pubDate: '2017-11-10 11시 발표', path: image_pm25_url}); }; controller.startDustImageMgr(function(err, pixel){ if(err){ log.info('1. ERROR!!!'); assert.fail(); return done(); } log.info('PM10 image Count : ', pixel.PM10.data.image_count); controller.getDustInfo(geocode.lat, geocode.lon, 'PM10', 'airkorea', function(err, result){ if(err){ log.info('2. ERROR!!!!'); assert.fail(); return done(); } //log.info(JSON.stringify(result)); log.info('PM10 pubDate : ', result.pubDate); for(var i = 0 ; i<expectedColorValue_pm10.length ; i++){ assert.equal(result.hourly[i].val, expectedColorValue_pm10[i], '1 No matched PM10 color value : '+i); } controller.getDustInfo(geocode.lat, geocode.lon, 'PM25', 'airkorea', function(err, result){ if(err){ log.info('3. ERROR!!!!'); assert.fail(); return done(); } //log.info(JSON.stringify(result)); log.info('PM25 pubDate : ', result.pubDate); for(var i = 0 ; i<expectedColorValue_pm25.length ; i++){ assert.equal(result.hourly[i].val, expectedColorValue_pm25[i], '2 No matched PM 25 color value : '+i); } done(); }); }); }); }); it('get color table PM10', function(done){ var colorPosX = 280; var colorPosY = [ 50, 59, 68, 77, 86, 95, 100, 109, 118, 127, 136, 145, 152, 161, 170, 179, 188, 197, 205, 214, 223, 232, 241, 250, 257, 266, 275, 284, 293, 302, 311, 320 ]; var dustValue_pm10 = [ 999, 120, 116, 112, 108, 104, 100, 96, 92, 88, 84, 80, 76, 72, 68, 64, 60, 56, 52, 48, 44, 40, 36, 32, 28, 24, 20, 16, 12, 8, 4, 0]; var expectedRes_pm10 = [ {"r":254,"g":2,"b":0,"val":999},{"r":253,"g":19,"b":3,"val":120}, {"r":254,"g":52,"b":1,"val":116},{"r":254,"g":71,"b":1,"val":112}, {"r":251,"g":86,"b":4,"val":108},{"r":254,"g":123,"b":1,"val":104}, {"r":253,"g":155,"b":2,"val":100},{"r":253,"g":155,"b":2,"val":96}, {"r":254,"g":196,"b":1,"val":92},{"r":253,"g":213,"b":2,"val":88}, {"r":254,"g":227,"b":1,"val":84},{"r":241,"g":251,"b":18,"val":80}, {"r":241,"g":251,"b":18,"val":76},{"r":216,"g":254,"b":43,"val":72}, {"r":179,"g":255,"b":79,"val":68},{"r":163,"g":255,"b":95,"val":64}, {"r":143,"g":255,"b":115,"val":60},{"r":127,"g":254,"b":131,"val":56}, {"r":91,"g":255,"b":167,"val":52},{"r":75,"g":255,"b":183,"val":48}, {"r":55,"g":255,"b":203,"val":44},{"r":23,"g":255,"b":236,"val":40}, {"r":4,"g":254,"b":255,"val":36},{"r":1,"g":243,"b":255,"val":32}, {"r":0,"g":207,"b":255,"val":28},{"r":0,"g":191,"b":255,"val":24}, {"r":0,"g":171,"b":255,"val":20},{"r":0,"g":135,"b":255,"val":16}, {"r":0,"g":118,"b":255,"val":12},{"r":0,"g":103,"b":255,"val":8}, {"r":1,"g":69,"b":253,"val":4},{"r":0,"g":48,"b":255,"val":0}]; var parser = new (require('../../lib/kaq.finedust.image.parser'))(); var image_url = './test/testImageParser/PM10_Animation.gif'; parser.getPixelMap(image_url, 'CASE4', 'image/gif', null, function(err, pixels){ if(err){ log.error('Error !! : ', err); assert.fail(); done(); } var result = []; for(var i=0 ; i<colorPosY.length ; i++){ result.push({ r: pixels.pixels.get(0, colorPosX, colorPosY[i], 0), g: pixels.pixels.get(0, colorPosX, colorPosY[i], 1), b: pixels.pixels.get(0, colorPosX, colorPosY[i], 2), val: dustValue_pm10[i] }); } log.info(JSON.stringify(result)); for(i=0 ; i<expectedRes_pm10.length ; i++){ assert.equal(result[i].r, expectedRes_pm10[i].r, 'No matched R color value in roop '+i); assert.equal(result[i].g, expectedRes_pm10[i].g, 'No matched G color value in roop'+i); assert.equal(result[i].b, expectedRes_pm10[i].b, 'No matched B color value in roop'+i); assert.equal(result[i].val, expectedRes_pm10[i].val, 'No matched dust value in roop'+i); } done(); }); }); it('get color table PM25', function(done){ var colorPosX = 280; var colorPosY = [ 50, 59, 68, 77, 86, 95, 100, 109, 118, 127, 136, 145, 152, 161, 170, 179, 188, 197, 205, 214, 223, 232, 241, 250, 257, 266, 275, 284, 293, 302, 311, 320 ]; var dustValue_pm25 = [ 999, 120, 116, 112, 108, 104, 100, 96, 92, 88, 84, 80, 76, 72, 68, 64, 60, 56, 52, 48, 44, 40, 36, 32, 28, 24, 20, 16, 12, 8, 4, 0]; var expectedRes_pm25 =[ {"r":255,"g":2,"b":0,"val":999},{"r":254,"g":19,"b":2,"val":120}, {"r":254,"g":19,"b":2,"val":116},{"r":254,"g":71,"b":1,"val":112}, {"r":254,"g":87,"b":2,"val":108},{"r":250,"g":112,"b":7,"val":104}, {"r":254,"g":139,"b":1,"val":100},{"r":255,"g":158,"b":0,"val":96}, {"r":255,"g":158,"b":0,"val":92},{"r":254,"g":213,"b":2,"val":88}, {"r":255,"g":227,"b":1,"val":84},{"r":255,"g":227,"b":1,"val":80}, {"r":231,"g":255,"b":27,"val":76},{"r":215,"g":255,"b":43,"val":72}, {"r":218,"g":255,"b":44,"val":68},{"r":163,"g":255,"b":95,"val":64}, {"r":143,"g":255,"b":115,"val":60},{"r":106,"g":252,"b":155,"val":56}, {"r":91,"g":255,"b":167,"val":52},{"r":75,"g":255,"b":183,"val":48}, {"r":23,"g":255,"b":236,"val":44},{"r":23,"g":255,"b":236,"val":40}, {"r":3,"g":255,"b":255,"val":36},{"r":0,"g":207,"b":255,"val":32}, {"r":0,"g":207,"b":255,"val":28},{"r":0,"g":191,"b":255,"val":24}, {"r":0,"g":135,"b":255,"val":20},{"r":1,"g":137,"b":255,"val":16}, {"r":0,"g":119,"b":255,"val":12},{"r":0,"g":67,"b":255,"val":8}, {"r":0,"g":50,"b":253,"val":4},{"r":0,"g":50,"b":253,"val":0}]; var parser = new (require('../../lib/kaq.finedust.image.parser'))(); var image_url = './test/testImageParser/PM2_5_Animation.gif'; parser.getPixelMap(image_url, 'CASE4', 'image/gif', null, function(err, pixels){ if(err){ log.error('Error !! : ', err); assert.fail(); done(); } var result = []; for(var i=0 ; i<colorPosY.length ; i++){ result.push({ r: pixels.pixels.get(0, colorPosX, colorPosY[i], 0), g: pixels.pixels.get(0, colorPosX, colorPosY[i], 1), b: pixels.pixels.get(0, colorPosX, colorPosY[i], 2), val: dustValue_pm25[i] }); } log.info(JSON.stringify(result)); for(i=0 ; i<expectedRes_pm25.length ; i++){ assert.equal(result[i].r, expectedRes_pm25[i].r, 'No matched R color value in roop #'+i); assert.equal(result[i].g, expectedRes_pm25[i].g, 'No matched G color value in roop #'+i); assert.equal(result[i].b, expectedRes_pm25[i].b, 'No matched B color value in roop #'+i); assert.equal(result[i].val, expectedRes_pm25[i].val, 'No matched dust value in roop #'+i); } done(); }); }); it('invalid area', function(done){ var controller = new (require('../../controllers/kaq.dust.image.controller'))(); var image_pm10_url = './test/testImageParser/PM10_Animation.gif'; var image_pm25_url = './test/testImageParser/PM2_5_Animation.gif'; var geocode = {lat: 37.5081798, lon : 130.8217127}; var controllerManager = require('../../controllers/controllerManager'); global.manager = new controllerManager(); controller.getImaggPath = function(type, callback){ if(type === 'PM10'){ return callback(undefined, {pubDate: '2017-11-10 11시 발표', path: image_pm10_url}); } return callback(undefined, {pubDate: '2017-11-10 11시 발표', path: image_pm25_url}); }; controller.startDustImageMgr(function(err, pixel){ if(err){ log.info('1. ERROR!!!'); assert.fail(); return done(); } log.info(pixel.PM10.data.image_count); controller.getDustInfo(geocode.lat, geocode.lon, 'PM10', 'airkorea', function(err, result){ if(err){ log.info('2. ERROR!!!!', err); return done(); } assert.fail(); done(); }); }); }); }); describe('Test - KAQ modelimg Image parser ', function(){ it('get pm10 map pixels', function(done){ var parser = new (require('../../lib/kaq.finedust.image.parser'))(); var image_url = './test/testImageParser/kma_modeling_pm25_Animation.gif'; var imageData = { width: parseInt(kaqModelingImage.size.width), height: parseInt(kaqModelingImage.size.height), map_width: parseInt(kaqModelingImage.pixel_pos.right) - parseInt(kaqModelingImage.pixel_pos.left), map_height: parseInt(kaqModelingImage.pixel_pos.bottom) - parseInt(kaqModelingImage.pixel_pos.top) }; parser.getPixelMap(image_url, 'modeling', 'image/gif', null, function(err, pixels){ if(err){ log.error('Error !! : ', err); assert.equal(null, imageData, 'Fail to get pixels data'); done(); } log.info('Image W: ', pixels.image_width, 'H: ', pixels.image_height); log.info('Map W: ', pixels.map_width, 'H: ', pixels.map_height); var ret = { width: pixels.image_width, height: pixels.image_height, map_width: pixels.map_width, map_height: pixels.map_height }; assert.equal(imageData.width, pixels.image_width, 'Fail to parse - wrong image width'); assert.equal(imageData.height, pixels.image_height, 'Fail to parse - wrong image height'); assert.equal(imageData.map_width, pixels.map_width, 'Fail to parse - wrong map width'); assert.equal(imageData.map_height, pixels.map_height, 'Fail to parse - wrong map height'); done(); }); }); it('dust image', function(done){ var controller = new (require('../../controllers/kaq.modeling.image.controller'))(); var image_pm10_url = './test/testImageParser/kma_modeling_pm10_Animation.gif'; var image_pm25_url = './test/testImageParser/kma_modeling_pm25_Animation.gif'; //var geocode = {lat: 35.8927778, lon : 129.4949194}; //var geocode = {lat : 35.1569750, lon : 126.8533639}; // 광주광역시 //var geocode = {lat : 37.7491361, lon : 128.8784972}; //강릉시 //var geocode = {lat : 35.8685417, lon : 128.6035528}; // 대구광역시 var geocode = {lat : 37.5635694, lon : 126.9800083}; // 서울특별시 //var geocode = {lat : 35.1322, lon : 129.1075}; // 부산광역시 var expectedColorValue_pm10 = [ 36,44,44,44,56,60,64,64,72,72,76,76,76,60,48,36, 36,36,36,28,32,28,40,32,36,60,44,48,32,72,72,44, 52,60,64,76,72,64,56,40,32,28,20,20,20,20,28,28, 36,40,48,44,40,44,44,24,4,8,12,8,8,8,8,8,12,12, 12,12,12,12,12,12,12,12,12,12,12,16,16,16,16,4,4, 4,8,8,4,4,4,4,4,4,4,4,4,4,4,4,4,4,4,4,4,12,16,24, 28,32,36,48,40,32,32,36,36,36,36,36,36,36,36,36,32, 28,20,24,32,32,32,32,32,32,32,28,28,28,28]; var expectedColorValue_pm25 = [ 28,24,28,28,28,28,28,32,32,36,36,36,32,28,24,24,24, 20,20,16,20,24,28,24,28,32,20,4,4,4,4,4,8,8,16,8,8, 8,8,8,8,8,8,8,8,8,8,8,8,8,12,12,12,12,16,16,20,16, 4,4,4,4,4,4,4,4,4,4,4,4,4,4,4,4,4,4,4,8,8,12,16,24, 28,32,32,32,28,20,20,20,20,20,24,20,20,20,24,24,24, 20,24,32,32,28,28,32,28,28,28,28,24,24,24,24,24,24, 24,24,24,24,24,20,20,20,20,24,24,24,24,24,24,20,16, 16,20,20,20]; var controllerManager = require('../../controllers/controllerManager'); global.manager = new controllerManager(); controller.getImaggPath = function(type, callback){ if(type === 'PM10'){ return callback(undefined, {pubDate: '2017-11-10 11시 발표', path: image_pm10_url}); } return callback(undefined, {pubDate: '2017-11-10 11시 발표', path: image_pm25_url}); }; controller.startModelingImageMgr(function(err, pixel){ if(err){ log.info('1. ERROR!!!'); assert.fail(); return done(); } log.info('PM10 image Count : ', pixel.PM10.data.image_count); controller.getDustInfo(geocode.lat, geocode.lon, 'PM10', 'airkorea', function(err, result){ if(err){ log.info('2. ERROR!!!! :', err); assert.fail(); return done(); } //log.info(JSON.stringify(result)); log.info('PM10 pubDate : ', result.pubDate); for(var i = 0 ; i<expectedColorValue_pm10.length ; i++){ assert.equal(result.hourly[i].val, expectedColorValue_pm10[i], '1 No matched PM10 color value : '+i); } controller.getDustInfo(geocode.lat, geocode.lon, 'PM25', 'airkorea', function(err, result){ if(err){ log.info('3. ERROR!!!!'); assert.fail(); return done(); } //log.info(JSON.stringify(result)); log.info('PM25 pubDate : ', result.pubDate); for(var i = 0 ; i<expectedColorValue_pm25.length ; i++){ assert.equal(result.hourly[i].val, expectedColorValue_pm25[i], '2 No matched PM 25 color value : '+i); } done(); }); }); }); }); it('get color table PM10', function(done){ var colorPosX = 285; var colorPosY = [ 45, 53, 62, 70, 79, 88, 97, 106, 115, 123, 132, 140, 149, 158, 157, 175, 184, 192, 200, 209, 218, 226, 234, 244, 254, 261, 270, 279, 288, 297, 305, 313]; var dustValue_pm10 = [ 140, 120, 116, 112, 108, 104, 100, 96, 92, 88, 84, 80, 76, 72, 68, 64, 60, 56, 52, 48, 44, 40, 36, 32, 28, 24, 20, 16, 12, 8, 4, 0]; var expectedRes_pm10 = [ {"r":255,"g":15,"b":1,"val":140},{"r":255,"g":15,"b":1,"val":120}, {"r":255,"g":49,"b":9,"val":116},{"r":255,"g":71,"b":2,"val":112}, {"r":255,"g":87,"b":2,"val":108},{"r":255,"g":120,"b":2,"val":104}, {"r":255,"g":138,"b":3,"val":100},{"r":255,"g":174,"b":4,"val":96}, {"r":254,"g":199,"b":3,"val":92},{"r":254,"g":213,"b":3,"val":88}, {"r":253,"g":228,"b":4,"val":84},{"r":251,"g":255,"b":6,"val":80}, {"r":231,"g":255,"b":27,"val":76},{"r":216,"g":255,"b":43,"val":72}, {"r":216,"g":255,"b":43,"val":68},{"r":165,"g":255,"b":94,"val":64}, {"r":143,"g":255,"b":115,"val":60},{"r":127,"g":255,"b":131,"val":56}, {"r":91,"g":255,"b":167,"val":52},{"r":75,"g":255,"b":183,"val":48}, {"r":55,"g":255,"b":203,"val":44},{"r":23,"g":255,"b":236,"val":40}, {"r":3,"g":255,"b":255,"val":36},{"r":1,"g":243,"b":255,"val":32}, {"r":1,"g":206,"b":255,"val":28},{"r":0,"g":190,"b":254,"val":24}, {"r":0,"g":171,"b":255,"val":20},{"r":0,"g":135,"b":255,"val":16}, {"r":0,"g":119,"b":255,"val":12},{"r":0,"g":103,"b":255,"val":8}, {"r":4,"g":71,"b":251,"val":4},{"r":1,"g":53,"b":251,"val":0}]; var parser = new (require('../../lib/kaq.finedust.image.parser'))(); var image_url = './test/testImageParser/kma_modeling_pm10_Animation.gif'; parser.getPixelMap(image_url, 'modeling', 'image/gif', null, function(err, pixels){ if(err){ log.error('Error !! : ', err); assert.fail(); done(); } var result = []; for(var i=0 ; i<colorPosY.length ; i++){ result.push({ r: pixels.pixels.get(0, colorPosX, colorPosY[i], 0), g: pixels.pixels.get(0, colorPosX, colorPosY[i], 1), b: pixels.pixels.get(0, colorPosX, colorPosY[i], 2), val: dustValue_pm10[i] }); } log.info(JSON.stringify(result)); for(i=0 ; i<expectedRes_pm10.length ; i++){ assert.equal(result[i].r, expectedRes_pm10[i].r, 'No matched R color value in roop '+i); assert.equal(result[i].g, expectedRes_pm10[i].g, 'No matched G color value in roop'+i); assert.equal(result[i].b, expectedRes_pm10[i].b, 'No matched B color value in roop'+i); assert.equal(result[i].val, expectedRes_pm10[i].val, 'No matched dust value in roop'+i); } done(); }); }); it('get color table PM25', function(done){ var colorPosX = 285; var colorPosY = [ 45, 60, 72, 85, 98, 110, 125, 135, 149, 160, 172, 184, 198, 210, 225, 235, 249, 262, 274, 288, 298, 310]; var dustValue_pm25 = [ 100, 80, 76, 72, 68, 64, 60, 56, 52, 48, 44, 40, 36, 32, 28, 24, 20, 16, 12, 8, 4, 0]; var expectedRes_pm25 =[ {"r":255,"g":4,"b":3,"val":100},{"r":255,"g":36,"b":1,"val":80}, {"r":255,"g":73,"b":2,"val":76},{"r":255,"g":108,"b":1,"val":72}, {"r":255,"g":139,"b":0,"val":68},{"r":255,"g":175,"b":1,"val":64}, {"r":255,"g":211,"b":0,"val":60},{"r":244,"g":249,"b":13,"val":56}, {"r":233,"g":253,"b":25,"val":52},{"r":199,"g":255,"b":59,"val":48}, {"r":164,"g":255,"b":95,"val":44},{"r":143,"g":255,"b":115,"val":40}, {"r":111,"g":255,"b":147,"val":36},{"r":75,"g":255,"b":183,"val":32}, {"r":39,"g":255,"b":219,"val":28},{"r":3,"g":255,"b":255,"val":24}, {"r":1,"g":225,"b":255,"val":20},{"r":0,"g":191,"b":255,"val":16}, {"r":0,"g":155,"b":255,"val":12},{"r":1,"g":120,"b":255,"val":8}, {"r":0,"g":83,"b":255,"val":4},{"r":0,"g":46,"b":255,"val":0}]; var parser = new (require('../../lib/kaq.finedust.image.parser'))(); var image_url = './test/testImageParser/kma_modeling_pm25_Animation.gif'; parser.getPixelMap(image_url, 'modeling', 'image/gif', null, function(err, pixels){ if(err){ log.error('Error !! : ', err); assert.fail(); done(); } var result = []; for(var i=0 ; i<colorPosY.length ; i++){ result.push({ r: pixels.pixels.get(0, colorPosX, colorPosY[i], 0), g: pixels.pixels.get(0, colorPosX, colorPosY[i], 1), b: pixels.pixels.get(0, colorPosX, colorPosY[i], 2), val: dustValue_pm25[i] }); } log.info(JSON.stringify(result)); for(i=0 ; i<expectedRes_pm25.length ; i++){ assert.equal(result[i].r, expectedRes_pm25[i].r, 'No matched R color value in roop #'+i); assert.equal(result[i].g, expectedRes_pm25[i].g, 'No matched G color value in roop #'+i); assert.equal(result[i].b, expectedRes_pm25[i].b, 'No matched B color value in roop #'+i); assert.equal(result[i].val, expectedRes_pm25[i].val, 'No matched dust value in roop #'+i); } done(); }); }); it('invalid area', function(done){ var controller = new (require('../../controllers/kaq.modeling.image.controller'))(); var image_pm10_url = './test/testImageParser/kma_modeling_pm10_Animation.gif'; var image_pm25_url = './test/testImageParser/kma_modeling_pm25_Animation.gif'; var geocode = {lat: 37.5081798, lon : 130.8217127}; var controllerManager = require('../../controllers/controllerManager'); global.manager = new controllerManager(); controller.getImaggPath = function(type, callback){ if(type === 'PM10'){ return callback(undefined, {pubDate: '2017-11-10 11시 발표', path: image_pm10_url}); } return callback(undefined, {pubDate: '2017-11-10 11시 발표', path: image_pm25_url}); }; controller.startModelingImageMgr(function(err, pixel){ if(err){ log.info('1. ERROR!!!'); assert.fail(); return done(); } log.info(pixel.PM10.data.image_count); controller.getDustInfo(geocode.lat, geocode.lon, 'PM10', 'airkorea', function(err, result){ if(err){ log.info('2. ERROR!!!!', err); return done(); } assert.fail(); done(); }); }); }); });
// Generated by CoffeeScript 1.9.3 (function() { var RTRIM, absoluteUrl, addKey, argsArray, assertArray, assertObject, identity, merge, mergeLists, postwalk, reduceMap, relativeUrl, trim, type, walk, slice = [].slice; merge = require('merge'); RTRIM = /^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g; trim = function(text) { if (text != null) { return (text + "").replace(RTRIM, ""); } else { return ""; } }; exports.trim = trim; addKey = function(acc, str) { var pair, val; if (!str) { return; } pair = str.split("=").map(trim); val = pair[1].replace(/(^"|"$)/g, ''); if (val) { acc[pair[0]] = val; } return acc; }; type = function(obj) { var classToType; if (obj === void 0 || obj === null) { return String(obj); } classToType = { '[object Boolean]': 'boolean', '[object Number]': 'number', '[object String]': 'string', '[object Function]': 'function', '[object Array]': 'array', '[object Date]': 'date', '[object RegExp]': 'regexp', '[object Object]': 'object' }; return classToType[Object.prototype.toString.call(obj)]; }; exports.type = type; assertArray = function(a) { if (type(a) !== 'array') { throw 'not array'; } return a; }; exports.assertArray = assertArray; assertObject = function(a) { if (type(a) !== 'object') { throw 'not object'; } return a; }; exports.assertObject = assertObject; reduceMap = function(m, fn, acc) { var k, v; acc || (acc = []); assertObject(m); return ((function() { var results; results = []; for (k in m) { v = m[k]; results.push([k, v]); } return results; })()).reduce(fn, acc); }; exports.reduceMap = reduceMap; identity = function(x) { return x; }; exports.identity = identity; argsArray = function() { var args; args = 1 <= arguments.length ? slice.call(arguments, 0) : []; return args; }; exports.argsArray = argsArray; mergeLists = function() { var reduce; reduce = function(merged, nextMap) { var k, ret, v; ret = merge(true, merged); for (k in nextMap) { v = nextMap[k]; ret[k] = (ret[k] || []).concat(v); } return ret; }; return argsArray.apply(null, arguments).reduce(reduce, {}); }; exports.mergeLists = mergeLists; absoluteUrl = function(baseUrl, ref) { if (ref.slice(ref, baseUrl.length + 1) !== baseUrl + "/") { return baseUrl + "/" + ref; } else { return ref; } }; exports.absoluteUrl = absoluteUrl; relativeUrl = function(baseUrl, ref) { if (ref.slice(ref, baseUrl.length + 1) === baseUrl + "/") { return ref.slice(baseUrl.length + 1); } else { return ref; } }; exports.relativeUrl = relativeUrl; exports.resourceIdToUrl = function(id, baseUrl, type) { baseUrl = baseUrl.replace(/\/$/, ''); id = id.replace(/^\//, ''); if (id.indexOf('/') < 0) { return baseUrl + "/" + type + "/" + id; } else if (id.indexOf(baseUrl) !== 0) { return baseUrl + "/" + id; } else { return id; } }; walk = function(inner, outer, data, context) { var keysToMap, remapped; switch (type(data)) { case 'array': return outer(data.map(function(item) { return inner(item, [data, context]); }), context); case 'object': keysToMap = function(acc, arg) { var k, v; k = arg[0], v = arg[1]; acc[k] = inner(v, [data].concat(context)); return acc; }; remapped = reduceMap(data, keysToMap, {}); return outer(remapped, context); default: return outer(data, context); } }; exports.walk = walk; postwalk = function(f, data, context) { if (!data) { return function(data, context) { return postwalk(f, data, context); }; } else { return walk(postwalk(f), f, data, context); } }; exports.postwalk = postwalk; }).call(this);
'use strict'; /** * Module dependencies. */ var passport = require('passport'), url = require('url'), TwitterStrategy = require('passport-twitter').Strategy, users = require('../../controllers/users.server.controller'); module.exports = function(config) { // Use twitter strategy passport.use(new TwitterStrategy({ consumerKey: config.twitter.clientID, consumerSecret: config.twitter.clientSecret, callbackURL: config.twitter.callbackURL, passReqToCallback: true }, function(req, token, tokenSecret, profile, done) { // Set the provider data and include tokens var providerData = profile._json; providerData.token = token; providerData.tokenSecret = tokenSecret; // Create the user OAuth profile var providerUserProfile = { displayName: profile.displayName, username: profile.username, profileImageURL: profile.photos[0].value.replace('normal', 'bigger'), provider: 'twitter', providerIdentifierField: 'id_str', providerData: providerData }; // Save the user OAuth profile users.saveOAuthUserProfile(req, providerUserProfile, done); } )); };
(function( $ ) { $.ec = { reals: {}, modk: {}, }; var colors = { red: "#cb4b4b", yellow: "#edc240", blue: "#afd8f8", }; /* https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Math/cbrt#Polyfill */ Math.cbrt = Math.cbrt || function(x) { var y = Math.pow(Math.abs(x), 1 / 3); return x < 0 ? -y : y; }; var sortUnique = function( arr ) { // Sorts an array of numbers and removes duplicate elements in place. arr.sort(function( a, b ) { return a - b; }); for( var i = 1; i < arr.length; i += 1 ) { if( arr[ i ] === arr[ i - 1 ] ) { arr.splice( i, 1 ); i -= 1; } } return arr; }; var round10 = function( value, exp ) { // This code has been copied and adapted from the MDN: // https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Math/round. if( typeof exp === "undefined" ) { exp = -5; } // If the exp is undefined or zero... if ( +exp === 0 ) { return Math.round( value ); } value = +value; exp = +exp; // If the value is not a number or the exp is not an integer... if ( isNaN( value ) || typeof exp !== "number" || exp % 1 !== 0 ) { return NaN; } // Left shift. value = value.toString().split( "e" ); value = Math.round( +( value[ 0 ] + "e" + ( value[ 1 ] ? ( +value[ 1 ] - exp ) : -exp ) ) ); // Shift back. value = value.toString().split( "e" ); return +( value[0] + "e" + ( value[ 1 ] ? ( +value[ 1 ] + exp ) : exp ) ); }; var setInputValuesFromHash = function() { var hash = window.location.search; if( hash[ 0 ] === "?" ) { hash = hash.substr( 1 ); } var items = hash.split( "&" ); for( var i = 0; i < items.length; i += 1 ) { var item = items[ i ].split( "=" ); var name = item[ 0 ]; var value = item[ 1 ]; if( item.length !== 2 || !name || !value || /[^a-z]/.test( name ) || /[^-.0-9]/.test( value ) ) { continue; } $( "input[name='" + name + "']" ).val( value ); } }; var isPrime = function( n ) { n = +n; if( n < 2 || n % 2 === 0 ) { return n === 2; } for( var m = 3; m < n; m += 2 ) { if( n % m === 0 ) { return false; } } return true; }; /////////////////////////////////////////////////////////////////////////// // $.ec.Base $.ec.Base = function() { setInputValuesFromHash(); this.aInput = $( "input[name='a']" ); this.bInput = $( "input[name='b']" ); this.plotContainer = $( "#plot" ); this.equationContainer = $( ".curve-equation" ); this.singularWarning = $( ".curve-singular-warning" ); this.marginFactor = 1 / 8; this.plot = $.plot( this.plotContainer, {} ); var curve = this; $().add( this.aInput ) .add( this.bInput ) .change(function() { curve.update(); }); $(function() { curve.update(); }); }; $.ec.Base.prototype.hideGrid = function() { var axes = this.plot.getAxes(); axes.xaxis.options.show = false; axes.yaxis.options.show = false; var grid = this.plot.getOptions().grid; grid.borderWidth = 0; grid.margin = { top: 0, left: 0, bottom: 0, right: 0 }; grid.axisMargin = 0; grid.minBorderMargin = 0; }; $.ec.Base.prototype.whiteBackground = function() { var grid = this.plot.getOptions().grid; grid.backgroundColor = "#ffffff"; }; $.ec.Base.prototype.getRoots = function( a, b ) { // Returns an array containing the coordinates of the points where the // curve intersects the x-axis. This means solving the equation: // // x^3 + ax + b = 0 // // This function uses a simplified variant of the method for cubic // functions: // http://en.wikipedia.org/wiki/Cubic_function#Roots_of_a_cubic_function if( typeof a === "undefined" ) { a = this.a; } if( typeof b === "undefined" ) { b = this.b; } var roots; var q = a / 3; var r = -b / 2; var delta = q * q * q + r * r; if( delta > 0 ) { var s = Math.cbrt( r + Math.sqrt( delta ) ); var t = Math.cbrt( r - Math.sqrt( delta ) ); roots = [ s + t ]; } else if( delta < 0 ) { var s = Math.acos( r / Math.sqrt( -q * q * q ) ); var t = 2 * Math.sqrt( -q ); roots = [ t * Math.cos( s / 3 ), t * Math.cos( ( s + 2 * Math.PI ) / 3 ), t * Math.cos( ( s + 4 * Math.PI ) / 3 ) ] } else { roots = [ 2 * Math.cbrt( r ), Math.cbrt( -r ) ] } return sortUnique( roots ); }; $.ec.Base.prototype.addPoints = function( p0, p1 ) { throw new Error( "must override" ); }; $.ec.Base.prototype.negPoint = function( p ) { throw new Error( "must override" ); }; $.ec.Base.prototype.mulPoint = function( n, p ) { // Returns the result of n * P = P + P + ... (n times). if( n === 0 || p === null ) { return null; } if( n < 0 ) { n = -n; p = this.negPoint( p ); } var q = null; while( n ) { if( n & 1 ) { q = this.addPoints( p, q ); } p = this.addPoints( p, p ); n >>= 1; } return q; }; $.ec.Base.prototype.getPlotRange = function( points ) { // Finds a range for the x-axis and the y-axis. This range shows all // the given points. if( typeof points === "undefined" ) { points = []; } var xMin = Infinity; var xMax = -Infinity; var yMin = Infinity; var yMax = -Infinity; for( var i = 0; i < points.length; i += 1 ) { var p = points[ i ]; if( p === null ) { continue; } xMin = Math.min( xMin, p[ 0 ] ); xMax = Math.max( xMax, p[ 0 ] ); yMin = Math.min( yMin, p[ 1 ] ); yMax = Math.max( yMax, p[ 1 ] ); } if( this.marginFactor ) { // Add some margin for better display. var xMargin = this.marginFactor * ( xMax - xMin ); var yMargin = this.marginFactor * ( yMax - yMin ); // Adjust proportions so that x:y = 1. if( xMargin > yMargin ) { yMargin = ( ( xMax - xMin ) - ( yMax - yMin ) ) / 2 + xMargin; } else { xMargin = ( ( yMax - yMin ) - ( xMax - xMin ) ) / 2 + yMargin; } if( xMargin === 0 ) { // This means that xMax = xMin and yMax = yMin, which is not // acceptable. xMargin = 5; yMargin = 5; } } else { var xMargin = 0; var yMargin = 0; } return { xMin: xMin - xMargin, xMax: xMax + xMargin, yMin: yMin - yMargin, yMax: yMax + yMargin } }; $.ec.Base.prototype.getPlotData = function() { return []; }; $.ec.Base.prototype.makeLabel = function( name, color ) { return $( "<label class='point-label'></label>" ) .text( name ) .css({ "position": "absolute", "width": "2em", "line-height": "2em", "text-align": "center", "border-radius": "50%", "opacity": "0.8", "background-color": color }) .appendTo( this.plotContainer ); }; $.ec.Base.prototype.setLabel = function( label, p ) { if( p === null ) { label.css({ "display": "none" }); } else { var xScale = this.plotContainer.width() / ( this.plotRange.xMax - this.plotRange.xMin ); var yScale = this.plotContainer.width() / ( this.plotRange.yMax - this.plotRange.yMin ); label.css({ "display": "block", "left": xScale * ( p[ 0 ] - this.plotRange.xMin ) + 10 + "px", "top": yScale * ( this.plotRange.yMax - p[ 1 ] ) + 10 + "px" }); } }; $.ec.Base.prototype.getInputValues = function() { this.a = +this.aInput.val(); this.b = +this.bInput.val(); }; $.ec.Base.prototype.recalculate = function() { this.singular = ( 4 * this.a * this.a * this.a + 27 * this.b * this.b ) === 0; // Order is important. this.roots = this.getRoots(); this.plotRange = this.getPlotRange(); }; $.ec.Base.prototype.redraw = function() { var data = this.getPlotData(); var axes = this.plot.getAxes(); axes.xaxis.options.min = this.plotRange.xMin; axes.xaxis.options.max = this.plotRange.xMax; axes.yaxis.options.min = this.plotRange.yMin; axes.yaxis.options.max = this.plotRange.yMax; this.plot.setData( data ); this.plot.setupGrid(); this.plot.draw(); }; $.ec.Base.prototype.updateResults = function() { var getTerm = function( value, suffix ) { if( value > 0 ) { return " + " + value + suffix; } else if( value < 0 ) { return " - " + ( -value ) + suffix; } else { return ""; } }; this.equationContainer.html( "<em>y</em><sup>2</sup> = " + "<em>x</em><sup>3</sup> " + getTerm( this.a, "<em>x</em>" ) + getTerm( this.b, "" ) ); this.singularWarning.css( "display", this.singular ? "block" : "none" ); }; $.ec.Base.prototype.update = function() { this.getInputValues(); this.recalculate(); this.updateResults(); this.redraw(); }; /////////////////////////////////////////////////////////////////////////// // $.ec.reals.Base $.ec.reals.Base = function() { $.ec.Base.call( this ); this.plotResolution = 256; }; $.ec.reals.Base.prototype = Object.create( $.ec.Base.prototype ); $.ec.reals.Base.prototype.constructor = $.ec.reals.Base; $.ec.reals.Base.prototype.getY = function( x ) { // Returns the ordinate >= 0 of the point with the given coordinate, or // NaN if the given point is not on the curve. return Math.sqrt( x * ( x * x + this.a ) + this.b ); }; $.ec.reals.Base.prototype.getX = function( y ) { // Returns all the possible coordinates corresponding to the given // ordinate. return this.getRoots( this.a, this.b - y * y ); }; $.ec.reals.Base.prototype.getStationaryPoints = function() { // This function returns the list of the x,y coordinates of the // stationary points of the curve. It works as follows. // // If we take the generic equation: // // y^2 = x^3 + ax + b // // We can rewrite it as: // // y = +- sqrt( x^3 + ax + b ) // // The first derivative is: // // y' = +- ( 3x^2 + a ) / ( 2 * sqrt( x^3 + ax + b ) ) // // Which is zero only if ( 3x^2 + a ) = 0 or, equivalently, a = -3x^2. // In order to have a real x satifying the equation, we must have // a <= 0. Also, note that (if a <= 0) one solution for x is <= 0, the // other is >= 0. // // Substituting a in the first equation: // // y^2 = x^3 + ax + b // y^2 = x^3 - 3x^3 + b // y^2 = b - 2x^3 // // In order to have a real y, we must have b >= 2x^3. Remembering that // x0 <= 0 and x1 >= 0, we get that b >= 2 x1^3 implies b >= 2 x0^3. In // other words, if we have a stationary point with a positive // coordinate, then we must have an another stationary point with a // negative coordinate. // // Therefore... var x0 = -Math.sqrt( -this.a / 3 ); var x1 = -x0; var y0 = Math.sqrt( this.b - 2 * x0 * x0 * x0 ); var y1 = Math.sqrt( this.b - 2 * x1 * x1 * x1 ); if( isNaN( x0 ) || isNaN( y0 ) ) { // If a = -3x^2 > 0, there are no real stationary points. // Similarly, if y^2 = b - 2x^3 < 0, there are no real stationary // points. // // Note that if there are no stationary points with a coordinate // <= 0, then there are no stationary points at all. return []; } else if( x0 === 0 || isNaN( y1 ) ) { // If a = 0 there is just one stationary point at x = 0. return [ [ x0, y0 ] ]; } else { // In all other cases, we have two distinct stationary points. return [ [ x0, y0 ], [ x1, y1 ] ]; } }; $.ec.reals.Base.prototype.addPoints = function( p1, p2 ) { // Returns the result of adding point p1 to point p2, according to the // group law for elliptic curves. The point at infinity is represented // as null. if( p1 === null ) { return p2; } if( p2 === null ) { return p1; } var x1 = p1[ 0 ]; var y1 = p1[ 1 ]; var x2 = p2[ 0 ]; var y2 = p2[ 1 ]; var m; if( x1 !== x2 ) { // Two distinct points. m = ( y1 - y2 ) / ( x1 - x2 ); } else { if( y1 === 0 && y2 === 0 ) { // This may only happen if p1 = p2 is a root of the elliptic // curve, hence the line is vertical. return null; } else if( y1 === y2 ) { // The points are the same, but the line is not vertical. m = ( 3 * x1 * x1 + this.a ) / y1 / 2; } else { // The points are the same and the line is vertical. return null; } } var x3 = m * m - x1 - x2; var y3 = m * ( x1 - x3 ) - y1; return [ x3, y3 ]; }; $.ec.reals.Base.prototype.negPoint = function( p ) { return [ p[ 0 ], -p[ 1 ] ]; }; $.ec.reals.Base.prototype.getPlotRange = function( points ) { // Finds a range for the x-axis and the y-axis. This range must: // // 1. show all the given points (if any); // 2. show the most interesting points of the curve (stationary points // and roots); // 3. be proportional: i.e. the x-length and the y-length must be the // same. if( typeof points === "undefined" ) { points = []; } else { points = points.slice( 0 ); } for( var i = 0; i < this.roots.length; i += 1 ) { var x = this.roots[ i ]; points.push([ x, 0 ]); } for( var i = 0; i < this.stationaryPoints.length; i += 1 ) { // stationaryPoints contains only the points above the x axis. var p = this.stationaryPoints[ i ]; points.push( p ); points.push([ p[ 0 ], -p[ 1 ] ]); } if( this.roots.length === 1 && this.stationaryPoints.length === 0 ) { // There is just one interesting point (the root). If there are no // other points, we risk displaying a degenerated plot. The root // will be in the left semiplane, we add a point to the right // semiplane. points.push([ 1, 0 ]); } return $.ec.Base.prototype.getPlotRange.call( this, points ); }; $.ec.reals.Base.prototype.getCurvePoints = function() { // Returns a list of x,y points belonging to the curve from xMin to // xMax. The resulting array is ordered and may contain some null // points in case of discontinuities. var points = []; var curve = this; var step = ( this.plotRange.xMax - this.plotRange.xMin ) / this.plotResolution; var getPoints = function( xMin, xMax, close ) { // This function calculates the points of a continuous branch of // the curve. The range from xMin to xMax must not contain any // discontinuity. var x; var y; var start = points.length; // Calculate all points above the x-axis, right-to-left (from xMax // to xMin). Note that getY() may return NaN if we are very close // to a root (because of floating point roundings). for( x = xMax; x > xMin; x -= step ) { y = curve.getY( x ); points.push([ x, isNaN( y ) ? 0 : y ]); } // Ensure that xMin is calculated. In fact, ( xMax - xMin ) may not // be divisible by step. y = curve.getY( xMin ); points.push([ xMin, isNaN( y ) ? 0 : y ]); // Now add the points below the x axis (remembering the simmetry of // elliptic curves), this time left-to-right. for( var i = points.length - 2; i >= start; i -= 1 ) { var p = points[ i ]; points.push([ p[ 0 ], -p[ 1 ] ]); } if( close ) { // This is a closed curve. points.push( points[ start ] ); } }; if( this.roots.length < 3 ) { // We have either one or two roots. In any case, there is only one // continuous branch. getPoints( this.roots[ 0 ], this.plotRange.xMax, false ); } else { // There are three roots. The curve is composed by: a closed // curve... getPoints( this.roots[ 0 ], this.roots[ 1 ], true ); points.push( null ); // ... and an open branch. getPoints( this.roots[ 2 ], this.plotRange.xMax, false ); } return points; }; $.ec.reals.Base.prototype.getLinePoints = function( p, q ) { var m = ( p[ 1 ] - q[ 1 ] ) / ( p[ 0 ] - q[ 0 ] ); if( isNaN( m ) ) { // We are in the case p === q. m = ( 3 * p[ 0 ] * p[ 0 ] + this.a ) / p[ 1 ] / 2; } if( !isFinite( m ) ) { // This is a vertical line and p[ 0 ] === q[ 0 ]. return [ [ p[ 0 ], this.plotRange.yMin ], [ p[ 0 ], this.plotRange.yMax ] ]; } return [ [ this.plotRange.xMin, m * ( this.plotRange.xMin - p[ 0 ] ) + p[ 1 ] ], [ this.plotRange.xMax, m * ( this.plotRange.xMax - p[ 0 ] ) + p[ 1 ] ] ]; }; $.ec.reals.Base.prototype.getPlotData = function() { var data = $.ec.Base.prototype.getPlotData.call( this ); data.push({ color: colors.blue, data: this.getCurvePoints(), lines: { show: true } }); return data; }; $.ec.reals.Base.prototype.fixPointCoordinate = function( xInput, yInput ) { // Adjusts the x,y coordinates of a point so that it belongs to the // curve. var xVal = +xInput.val(); var yVal = +yInput.val(); var xPrevVal = +xInput.data( "prev" ); var yPrevVal = +yInput.data( "prev" ); if( isNaN( xVal ) || isNaN( yVal ) ) { // The user inserted an invalid number. return; } if( xVal === xPrevVal && yVal === yPrevVal ) { // The coordinates have not changed, however the curve parameters // may have changed. We need to check whether the coordinates make // sense. var validY = round10( this.getY( xVal ) ); if( yVal < 0 ) { validY = -validY; } if( yVal === validY ) { // The coordinates are still perfectly valid. Nothing to do. return [ xVal, yVal ]; } } if( xVal !== xPrevVal ) { if( xVal < this.roots[ 0 ] ) { // The x coordinate is invalid and the nearest valid point is // the leftmost root. xVal = this.roots[ 0 ]; yVal = 0; } else if( this.roots.length > 2 && this.roots[ 1 ] < xVal && xVal < this.roots[ 2 ] ) { // The x coordinate is invalid and there are two roots that can // be considered valid. Choose the one that respects the // direction of the change. xVal = this.roots[ ( xVal > xPrevVal ) ? 2 : 1 ]; yVal = 0; } else { // The x coordinate is valid. Choose the y coordinate in the // most appropriate semiplane. if( yVal > 0 ) { yVal = this.getY( xVal ); } else if( yVal < 0 ) { yVal = -this.getY( xVal ); } else if( yVal >= yPrevVal ) { // yVal = 0 yVal = this.getY( xVal ); } else { // yVal = 0 && yVal < yPrevVal yVal = -this.getY( xVal ); } } } else { // Either y has changed or the curve parameters have changed. // Note that every curve is defined for all y, so we don't // have any domain problem here. var candidates = this.getX( yVal ); var distances = candidates.map(function( x ) { return Math.abs( x - xPrevVal ); }); var lowestDistance = Math.min.apply( null, distances ); xVal = candidates[ distances.indexOf( lowestDistance ) ]; } // We are forced to round to avoid showing floating point errors that // lead to huge inconsistencies. xVal = round10( xVal ); yVal = round10( yVal ); xInput.val( xVal ); yInput.val( yVal ); xInput.data( "prev", xVal ); yInput.data( "prev", yVal ); return [ xVal, yVal ]; }; $.ec.reals.Base.prototype.recalculate = function() { this.stationaryPoints = this.getStationaryPoints(); $.ec.Base.prototype.recalculate.call( this ); }; /////////////////////////////////////////////////////////////////////////// // $.ec.reals.PointAddition $.ec.reals.PointAddition = function() { $.ec.reals.Base.call( this ); this.pxInput = $( "input[name='px']" ); this.pyInput = $( "input[name='py']" ); this.qxInput = $( "input[name='qx']" ); this.qyInput = $( "input[name='qy']" ); this.rxInput = $( "input[name='rx']" ); this.ryInput = $( "input[name='ry']" ); this.pxInput.data( "prev", this.pxInput.val() ); this.pyInput.data( "prev", this.pyInput.val() ); this.qxInput.data( "prev", this.qxInput.val() ); this.qyInput.data( "prev", this.qyInput.val() ); this.pLabel = this.makeLabel( "P", colors.yellow ); this.qLabel = this.makeLabel( "Q", colors.yellow ); this.rLabel = this.makeLabel( "R", colors.red ); var curve = this; $().add( this.pxInput ) .add( this.pyInput ) .add( this.qxInput ) .add( this.qyInput ) .change(function() { curve.update(); }); }; $.ec.reals.PointAddition.prototype = Object.create( $.ec.reals.Base.prototype ); $.ec.reals.PointAddition.prototype.constructor = $.ec.reals.PointAddition; $.ec.reals.PointAddition.prototype.getPlotRange = function( points ) { if( typeof points === "undefined" ) { points = []; } else { points = points.slice( 0 ); } points.push( this.p ); points.push( this.q ); if( this.r !== null ) { points.push( this.r ); points.push([ this.r[ 0 ], -this.r[ 1 ] ]); } return $.ec.reals.Base.prototype.getPlotRange.call( this, points ); }; $.ec.reals.PointAddition.prototype.getPlotData = function() { var data = $.ec.reals.Base.prototype.getPlotData.call( this ); var linePoints = this.getLinePoints( this.p, this.q ); if( this.r !== null ) { data.push({ color: colors.red, data: [ this.r, [ this.r[ 0 ], -this.r[ 1 ] ] ], lines: { show: true } }); data.push({ color: colors.red, data: [ this.r ], points: { show: true, radius: 5 }, }); } data.push({ color: "#edc240", data: linePoints, lines: { show: true } }); data.push({ color: colors.yellow, data: [ this.p, this.q ], points: { show: true, radius: 5 } }); return data; }; $.ec.reals.PointAddition.prototype.getInputValues = function() { $.ec.reals.Base.prototype.getInputValues.call( this ); this.p = this.fixPointCoordinate( this.pxInput, this.pyInput ); this.q = this.fixPointCoordinate( this.qxInput, this.qyInput ); }; $.ec.reals.PointAddition.prototype.recalculate = function() { this.r = this.addPoints( this.p, this.q ); $.ec.reals.Base.prototype.recalculate.call( this ); }; $.ec.reals.PointAddition.prototype.redraw = function() { $.ec.reals.Base.prototype.redraw.call( this ); this.setLabel( this.pLabel, this.p ); this.setLabel( this.qLabel, this.q ); this.setLabel( this.rLabel, this.r ); }; $.ec.reals.PointAddition.prototype.updateResults = function() { $.ec.reals.Base.prototype.updateResults.call( this ); if( this.r !== null ) { this.rxInput.val( round10( this.r[ 0 ] ) ); this.ryInput.val( round10( this.r[ 1 ] ) ); } else { this.rxInput.val( "Inf" ); this.ryInput.val( "Inf" ); } }; /////////////////////////////////////////////////////////////////////////// // $.ec.reals.ScalarMultiplication $.ec.reals.ScalarMultiplication = function() { $.ec.reals.Base.call( this ); this.nInput = $( "input[name='n']" ); this.pxInput = $( "input[name='px']" ); this.pyInput = $( "input[name='py']" ); this.qxInput = $( "input[name='qx']" ); this.qyInput = $( "input[name='qy']" ); this.pxInput.data( "prev", this.pxInput.val() ); this.pyInput.data( "prev", this.pyInput.val() ); this.pLabel = this.makeLabel( "P", colors.yellow ); this.qLabel = this.makeLabel( "Q", colors.red ); var curve = this; $().add( this.nInput ) .add( this.pxInput ) .add( this.pyInput ) .change(function() { curve.update(); }); }; $.ec.reals.ScalarMultiplication.prototype = Object.create( $.ec.reals.Base.prototype ); $.ec.reals.ScalarMultiplication.prototype.constructor = $.ec.reals.ScalarMultiplication; $.ec.reals.ScalarMultiplication.prototype.getPlotRange = function( points ) { if( typeof points === "undefined" ) { points = []; } else { points = points.slice( 0 ); } points.push( this.p ); if( this.q !== null ) { points.push( this.q ); } return $.ec.reals.Base.prototype.getPlotRange.call( this, points ); }; $.ec.reals.ScalarMultiplication.prototype.getPlotData = function() { var data = $.ec.reals.Base.prototype.getPlotData.call( this ); if( false ) { var p = this.p; var n = this.n; if( n < 0 ) { p = this.negPoint( p ); n = -n; } var q = p; var pattern = [ q ]; for( var i = 1; i < n; i += 1 ) { q = this.addPoints( p, q ); pattern.push( q ); } data.push({ color: colors.yellow, data: pattern, lines: { show: true } }); } data.push({ color: colors.yellow, data: [ this.p ], points: { show: true, radius: 5 } }); if( this.q !== null ) { data.push({ color: colors.red, data: [ this.q ], points: { show: true, radius: 5 } }); } return data; }; $.ec.reals.ScalarMultiplication.prototype.getInputValues = function() { $.ec.reals.Base.prototype.getInputValues.call( this ); this.n = +this.nInput.val(); this.p = this.fixPointCoordinate( this.pxInput, this.pyInput ); }; $.ec.reals.ScalarMultiplication.prototype.recalculate = function() { this.q = this.mulPoint( this.n, this.p ); $.ec.reals.Base.prototype.recalculate.call( this ); }; $.ec.reals.ScalarMultiplication.prototype.redraw = function() { $.ec.reals.Base.prototype.redraw.call( this ); this.setLabel( this.pLabel, this.p ); this.setLabel( this.qLabel, this.q ); }; $.ec.reals.ScalarMultiplication.prototype.updateResults = function() { $.ec.reals.Base.prototype.updateResults.call( this ); if( this.q !== null ) { this.qxInput.val( round10( this.q[ 0 ] ) ); this.qyInput.val( round10( this.q[ 1 ] ) ); } else { this.qxInput.val( "Inf" ); this.qyInput.val( "Inf" ); } }; /////////////////////////////////////////////////////////////////////////// // $.ec.modk.Base $.ec.modk.Base = function() { $.ec.Base.call( this ); this.marginFactor = 0; this.kInput = $( "input[name='p']" ); this.compositeWarning = $( ".composite-warning" ); this.fieldOrder = $( ".field-order" ); this.curveOrder = $( ".curve-order" ); var curve = this; this.kInput.change(function() { curve.update() }); }; $.ec.modk.Base.prototype = Object.create( $.ec.Base.prototype ); $.ec.modk.Base.prototype.constructor = $.ec.modk.Base; $.ec.modk.Base.prototype.getY = function( x ) { // Returns all the possible ordinates corresponding to the given // coordinate. var result = []; for( var i = 0; i < this.curvePoints.length; i += 1 ) { var p = this.curvePoints[ i ]; if( p[ 0 ] === x ) { result.push( p[ 1 ] ); } } return result; }; $.ec.modk.Base.prototype.getX = function( y ) { // Returns all the possible coordinates corresponding to the given // ordinate. var result = []; for( var i = 0; i < this.curvePoints.length; i += 1 ) { var p = this.curvePoints[ i ]; if( p[ 1 ] === y ) { result.push( p[ 2 ] ); } } return result; }; $.ec.modk.Base.prototype.hasPoint = function( x, y ) { // Returns true if the point x,y belongs to the curve. for( var i = 0; i < this.curvePoints.length; i += 1 ) { var p = this.curvePoints[ i ]; if( p[ 0 ] === x && p[ 1 ] === y ) { return true; } } return false; }; $.ec.modk.Base.prototype.inverseOf = function( n ) { n = ( +n ) % this.k; if( n < 0 ) { n = n + this.k; } for( var m = 0; m < this.k; m += 1 ) { if( ( n * m ) % this.k === 1 ) { return m; } } return NaN; }; $.ec.modk.Base.prototype.addPoints = function( p1, p2 ) { // Returns the result of adding point p1 to point p2, according to the // group law for elliptic curves. The point at infinity is represented // as null. if( p1 === null ) { return p2; } if( p2 === null ) { return p1; } var x1 = p1[ 0 ]; var y1 = p1[ 1 ]; var x2 = p2[ 0 ]; var y2 = p2[ 1 ]; var m; if( x1 !== x2 ) { // Two distinct points. m = ( y1 - y2 ) * this.inverseOf( x1 - x2 ); } else { if( y1 === 0 && y2 === 0 ) { // This may only happen if p1 = p2 is a root of the elliptic // curve, hence the line is vertical. return null; } else if( y1 === y2 ) { // The points are the same, but the line is not vertical. m = ( 3 * x1 * x1 + this.a ) * this.inverseOf( 2 * y1 ); } else { // The points are not the same and the line is vertical. return null; } } m %= this.k; var x3 = ( m * m - x1 - x2 ) % this.k; var y3 = ( m * ( x1 - x3 ) - y1 ) % this.k; if( x3 < 0 ) { x3 += this.k; } if( y3 < 0 ) { y3 += this.k; } return [ x3, y3 ]; }; $.ec.modk.Base.prototype.negPoint = function( p ) { return [ p[ 0 ], this.k - p[ 1 ] ]; }; $.ec.modk.Base.prototype.getPlotRange = function( points ) { // Finds a range for the x-axis and the y-axis. This range must: // // 1. show all the given points (if any); // 2. show the most interesting points of the curve (stationary points // and roots); // 3. be proportional: i.e. the x-length and the y-length must be the // same. if( typeof points === "undefined" ) { points = []; } else { points = points.slice( 0 ); } points.push([ 0, 0 ]); points.push([ this.k - 1, this.k - 1 ]); return $.ec.Base.prototype.getPlotRange.call( this, points ); }; $.ec.modk.Base.prototype.getCurvePoints = function() { // Returns a list of x,y points belonging to the curve from xMin to // xMax. The resulting array is ordered and may contain some null // points in case of discontinuities. var points = []; for( var x = 0; x < this.k; x += 1 ) { for( var y = 0; y < this.k; y += 1 ) { if( ( y * y - x * x * x - this.a * x - this.b ) % this.k === 0 ) { points.push([ x, y ]); } } } return points; }; $.ec.modk.Base.prototype.getLinePoints = function( p, q ) { var m = ( p[ 1 ] - q[ 1 ] ) * this.inverseOf( p[ 0 ] - q[ 0 ] ); if( isNaN( m ) ) { if( p[ 1 ] === q[ 1 ] ) { // We are in the case p === q. m = ( 3 * p[ 0 ] * p[ 0 ] + this.a ) * this.inverseOf( 2 * p[ 1 ] ); } else { // This is a vertical line. return [ [ p[ 0 ], this.plotRange.yMin ], [ p[ 0 ], this.plotRange.yMax ] ]; } } if( m === 0 ) { // This is a horizontal line and p[ 1 ] === q[ 1 ]. return [ [ this.plotRange.xMin, p[ 1 ] ], [ this.plotRange.xMax, p[ 1 ] ] ]; } m %= this.k; // m can be either a negative or a positive number (for example, if we // have k = 7, m = -1 and m = 6 are equivalent). Technically, it does // not make any difference. Choose the one with the lowest absolute // value, as this number will produce fewer lines, resulting in a nicer // plot. if( m < 0 && -m > m + this.k ) { m += this.k; } else if( m > 0 && -m < m - this.k ) { m -= this.k; } var y; var x; var q = p[ 1 ] - m * p[ 0 ]; var points = []; // Find the q corresponding to the "leftmost" line. This is the q that // when used in the equation y = m * x + q and x = 0 gives 0 <= y < k. while( q >= this.k ) { q -= this.k; } while( q < 0 ) { q += this.k; } points.push([ this.plotRange.xMin, m * this.plotRange.xMin + q ]); do { if( m > 0 ) { // The line has a positive slope; find the coordinate of the // point having the highest ordinate. If the line equation is: // y = m * x + q, then the point coordinate is given by: // k = m * x + q. y = this.k; } else { // Slope is negative; find the coordinate of the point having // the lowest ordinate. If the line equation is: y = m * x + q, // then the point coordinate is given by: 0 = m * x + q. y = 0; } x = ( y - q ) / m; points.push([ x, y ]); points.push( null ); points.push([ x, y ? 0 : this.k ]); if( m > 0 ) { q -= this.k; } else { q += this.k; } } while( x < this.k ); points.push([ this.plotRange.xMax, m * this.plotRange.xMax + q ]); return points; }; $.ec.modk.Base.prototype.getPlotData = function() { var data = $.ec.Base.prototype.getPlotData.call( this ); data.push({ color: colors.blue, data: this.curvePoints, points: { show: true, radius: 3 } }); return data; }; $.ec.modk.Base.prototype.fixPointCoordinate = function( xInput, yInput ) { // Adjusts the x,y coordinates of a point so that it belongs to the // curve. var xVal = +xInput.val(); var yVal = +yInput.val(); var xPrevVal = +xInput.data( "prev" ); var yPrevVal = +yInput.data( "prev" ); if( isNaN( xVal ) || isNaN( yVal ) ) { // The user inserted an invalid number. return [ xPrevVal, yPrevVal ]; } if( this.hasPoint( xVal, yVal ) ) { // This point exists -- nothing to do. return [ xVal, yVal ]; } // Find a list of candidate points that respect the direction of the // change. if( xVal > xPrevVal ) { var check = function( p ) { return p[ 0 ] > xPrevVal; } } else if( xVal < xPrevVal ) { var check = function( p ) { return p[ 0 ] < xPrevVal; } } else if( yVal > yPrevVal ) { var check = function( p ) { return p[ 1 ] > yPrevVal; } } else if( yVal < yPrevVal ) { var check = function( p ) { return p[ 1 ] < yPrevVal; } } else { // Neither xVal nor yVal have changed (but probably a, b or k // have). var check = function( p ) { return true; } } var candidates = []; for( var i = 0; i < this.curvePoints.length; i += 1 ) { var p = this.curvePoints[ i ]; if( check( p ) ) { candidates.push( p ); } } if( candidates.length === 0 ) { if( this.hasPoint( xPrevVal, yPrevVal ) ) { // There are no candidates and the previous point is still // valid. xInput.val( xPrevVal ); yInput.val( yPrevVal ); return [ xPrevVal, yPrevVal ]; } // There are no candidates but the previous point is no longer // valid (this may happen if a, b or k have changed). candidates = this.curvePoints; if( candidates.length === 0 ) { // Nothing to do. return [ xPrevVal, yPrevVal ]; } } var distances = candidates.map(function( p ) { var deltaX = xVal - p[ 0 ]; var deltaY = yVal - p[ 1 ]; return deltaX * deltaX + deltaY * deltaY; }); var lowestDistance = Math.min.apply( null, distances ); var p = candidates[ distances.indexOf( lowestDistance ) ]; xInput.val( p[ 0 ] ); yInput.val( p[ 1 ] ); xInput.data( "prev", p[ 0 ] ); yInput.data( "prev", p[ 1 ] ); return [ p[ 0 ], p[ 1 ] ]; }; $.ec.modk.Base.prototype.getInputValues = function() { $.ec.Base.prototype.getInputValues.call( this ); this.k = +this.kInput.val(); this.prime = isPrime( this.k ); // This must go here, rather than in recalculate(), because // fixPointCoordinates() depends on curvePoints. this.curvePoints = this.getCurvePoints(); }; $.ec.modk.Base.prototype.updateResults = function() { $.ec.Base.prototype.updateResults.call( this ); this.compositeWarning.css({ "display": this.prime ? "none" : "block" }); this.fieldOrder.text( this.k ); this.curveOrder.text( this.curvePoints.length + 1 ); }; /////////////////////////////////////////////////////////////////////////// // $.ec.modk.PointAddition $.ec.modk.PointAddition = function() { $.ec.modk.Base.call( this ); this.pxInput = $( "input[name='px']" ); this.pyInput = $( "input[name='py']" ); this.qxInput = $( "input[name='qx']" ); this.qyInput = $( "input[name='qy']" ); this.rxInput = $( "input[name='rx']" ); this.ryInput = $( "input[name='ry']" ); this.pxInput.data( "prev", this.pxInput.val() ); this.pyInput.data( "prev", this.pyInput.val() ); this.qxInput.data( "prev", this.qxInput.val() ); this.qyInput.data( "prev", this.qyInput.val() ); this.pLabel = this.makeLabel( "P", colors.yellow ); this.qLabel = this.makeLabel( "Q", colors.yellow ); this.rLabel = this.makeLabel( "R", colors.red ); var curve = this; $().add( this.pxInput ) .add( this.pyInput ) .add( this.qxInput ) .add( this.qyInput ) .change(function() { curve.update(); }); }; $.ec.modk.PointAddition.prototype = Object.create( $.ec.modk.Base.prototype ); $.ec.modk.PointAddition.prototype.constructor = $.ec.modk.PointAddition; $.ec.modk.PointAddition.prototype.getPlotData = function() { var data = $.ec.modk.Base.prototype.getPlotData.call( this ); var linePoints = this.getLinePoints( this.p, this.q ); if( this.r !== null ) { data.push({ color: colors.red, data: [ this.r, [ this.r[ 0 ], this.k - this.r[ 1 ] ] ], lines: { show: true } }); data.push({ color: colors.red, data: [ this.r ], points: { show: true, radius: 5 }, }); } data.push({ color: colors.yellow, data: linePoints, lines: { show: true } }); data.push({ color: colors.yellow, data: [ this.p, this.q ], points: { show: true, radius: 5 } }); return data; }; $.ec.modk.PointAddition.prototype.getInputValues = function() { $.ec.modk.Base.prototype.getInputValues.call( this ); this.p = this.fixPointCoordinate( this.pxInput, this.pyInput ); this.q = this.fixPointCoordinate( this.qxInput, this.qyInput ); }; $.ec.modk.PointAddition.prototype.recalculate = function() { this.r = this.addPoints( this.p, this.q ); $.ec.modk.Base.prototype.recalculate.call( this ); }; $.ec.modk.PointAddition.prototype.redraw = function() { $.ec.modk.Base.prototype.redraw.call( this ); this.setLabel( this.pLabel, this.p ); this.setLabel( this.qLabel, this.q ); this.setLabel( this.rLabel, this.r ); }; $.ec.modk.PointAddition.prototype.updateResults = function() { $.ec.modk.Base.prototype.updateResults.call( this ); if( this.r !== null ) { this.rxInput.val( round10( this.r[ 0 ] ) ); this.ryInput.val( round10( this.r[ 1 ] ) ); } else { this.rxInput.val( "Inf" ); this.ryInput.val( "Inf" ); } }; /////////////////////////////////////////////////////////////////////////// // $.ec.modk.ScalarMultiplication $.ec.modk.ScalarMultiplication = function() { $.ec.modk.Base.call( this ); this.nInput = $( "input[name='n']" ); this.pxInput = $( "input[name='px']" ); this.pyInput = $( "input[name='py']" ); this.qxInput = $( "input[name='qx']" ); this.qyInput = $( "input[name='qy']" ); this.subgroupOrder = $( ".subgroup-order" ); this.pxInput.data( "prev", this.pxInput.val() ); this.pyInput.data( "prev", this.pyInput.val() ); this.pLabel = this.makeLabel( "P", colors.yellow ); this.qLabel = this.makeLabel( "Q", colors.red ); var curve = this; $().add( this.nInput ) .add( this.pxInput ) .add( this.pyInput ) .change(function() { curve.update(); }); }; $.ec.modk.ScalarMultiplication.prototype = Object.create( $.ec.modk.Base.prototype ); $.ec.modk.ScalarMultiplication.prototype.constructor = $.ec.modk.ScalarMultiplication; $.ec.modk.ScalarMultiplication.prototype.getPlotRange = function( points ) { if( typeof points === "undefined" ) { points = []; } else { points = points.slice( 0 ); } points.push( this.p ); if( this.q !== null ) { points.push( this.q ); } return $.ec.modk.Base.prototype.getPlotRange.call( this, points ); }; $.ec.modk.ScalarMultiplication.prototype.getPlotData = function() { var data = $.ec.modk.Base.prototype.getPlotData.call( this ); data.push({ color: colors.yellow, data: [ this.p ], points: { show: true, radius: 5 } }); if( this.q !== null ) { data.push({ color: colors.red, data: [ this.q ], points: { show: true, radius: 5 } }); } return data; }; $.ec.modk.ScalarMultiplication.prototype.getSubgroupOrder = function() { if( this.singular || !this.prime ) { return 0; } var n = 2; var q = this.addPoints( this.p, this.p ); while( q !== null ) { q = this.addPoints( this.p, q ); n += 1; } return n; }; $.ec.modk.ScalarMultiplication.prototype.getInputValues = function() { $.ec.modk.Base.prototype.getInputValues.call( this ); this.n = +this.nInput.val(); this.p = this.fixPointCoordinate( this.pxInput, this.pyInput ); }; $.ec.modk.ScalarMultiplication.prototype.recalculate = function() { this.q = this.mulPoint( this.n, this.p ); $.ec.modk.Base.prototype.recalculate.call( this ); }; $.ec.modk.ScalarMultiplication.prototype.redraw = function() { $.ec.modk.Base.prototype.redraw.call( this ); this.setLabel( this.pLabel, this.p ); this.setLabel( this.qLabel, this.q ); }; $.ec.modk.ScalarMultiplication.prototype.updateResults = function() { $.ec.modk.Base.prototype.updateResults.call( this ); if( this.q !== null ) { this.qxInput.val( round10( this.q[ 0 ] ) ); this.qyInput.val( round10( this.q[ 1 ] ) ); } else { this.qxInput.val( "Inf" ); this.qyInput.val( "Inf" ); } this.subgroupOrder.text( this.getSubgroupOrder() ); }; }( jQuery ));
import React, { Component, PureComponent } from 'react'; import { Entries as BaseEntries } from '../Entries'; import EntriesList from './EntriesList'; import EntriesAppBar from '../EntriesAppBar'; class Entries extends BaseEntries { entriesList() { return <EntriesList history={this.props.history} />; } focusSearch() {} appBar() { return ( <EntriesAppBar handleToggle={this.handleToggle} handleAdd={null} /> ); } } export default Entries;
define(function (require) { var isMobile = true; var React = require('react'); var MessageHandler = require('common/messagehandler'); React.createResponsiveClass = function(desc){ desc.render = isMobile ? function(){ return React.createElement("div", null) } : desc.render; return React.createClass(desc); }; return React.createResponsiveClass( { getInitialState: function () { return {text: 'Test'} }, render: function () { return ( React.createElement("div", null, React.createElement("h1", null, this.state.text) ) ) } }); });
import Qunit from 'qunit'; import { addTextTrackData } from '../src/add-text-track-data'; const { equal, module, test } = Qunit; class MockTextTrack { constructor() { this.cues = []; } addCue(cue) { this.cues.push(cue); } } module('Text Track Data', { beforeEach() { this.sourceHandler = { inbandTextTrack_: new MockTextTrack(), metadataTrack_: new MockTextTrack(), mediaSource_: { duration: NaN }, timestampOffset: 0 }; } }); test('does nothing if no cues are specified', function() { addTextTrackData(this.sourceHandler, [], []); equal(this.sourceHandler.inbandTextTrack_.cues.length, 0, 'added no 608 cues'); equal(this.sourceHandler.metadataTrack_.cues.length, 0, 'added no metadata cues'); }); test('creates cues for 608 captions', function() { addTextTrackData(this.sourceHandler, [{ startTime: 0, endTime: 1, text: 'caption text' }], []); equal(this.sourceHandler.inbandTextTrack_.cues.length, 1, 'added one 608 cues'); equal(this.sourceHandler.metadataTrack_.cues.length, 0, 'added no metadata cues'); }); test('creates cues for timed metadata', function() { addTextTrackData(this.sourceHandler, [], [{ cueTime: 1, frames: [{}] }]); equal(this.sourceHandler.inbandTextTrack_.cues.length, 0, 'added no 608 cues'); equal(this.sourceHandler.metadataTrack_.cues.length, 1, 'added one metadata cues'); });
(function () { 'use strict'; function LoginForm(userRequest, $state, authenticationService, notificationsService) { return { restrict: 'E', templateUrl: 'app/login/form/login.form.template.html', link: LoginFormLink }; function LoginFormLink(scope, element, attrs) { scope.loginUser = loginUser; function loginUser() { userRequest.userLogin(scope.username, scope.password).then(onSuccess, onError); function onSuccess(data) { notificationsService.showToast('Successful login!'); authenticationService.setUserName(data.data.username); localStorage.setItem('access_token', data.data['access_token']); $state.go('userHome'); } function onError() { notificationsService.showToast('Failed login!'); } } } } LoginForm.$inject = [ 'userRequest', '$state', 'authenticationService', 'notificationsService' ]; angular .module('app.loginForm.directive', [ 'app.userRequest.service', 'app.authentication.service', 'app.notifications.service' ]) .directive('loginForm', LoginForm); })();
// http-request-transport-for-browser.js // const arccore = require("@encapsule/arccore"); const queryString = require("query-string"); const httpRequestTransportSpecs = require("./http-request-transport-iospecs"); var filterFactoryResponse = arccore.filter.create({ operationName: "HTTP Request Transport For Browser", operationDescription: "Filter wrapper around XMLHttpRequest for use in browser clients.", operationID: "EL4bPlQIRWy2zJ148nQXBQ", inputFilterSpec: httpRequestTransportSpecs.inputFilterSpec, outputFilterSpec: httpRequestTransportSpecs.outputFilterSpec, bodyFunction: function(request_) { var requestContext = request_; var requestURL = requestContext.url; if (requestContext.query !== undefined) { const queryStringSuffix = queryString.stringify(requestContext.query); requestURL += "?" + queryStringSuffix; } /*eslint no-undef: "error"*/ /*eslint-env browser*/ var httpRequest = new XMLHttpRequest(); httpRequest.open(request_.method, requestURL, true /*async*/); httpRequest.setRequestHeader("Content-Type", "application/json"); httpRequest.onreadystatechange = function() { if (httpRequest.readyState === XMLHttpRequest.DONE) { if (httpRequest.status === 200) { var deserializedJSON = null; try { deserializedJSON = JSON.parse(httpRequest.responseText); requestContext.resultHandler(deserializedJSON); } catch (exception_) { var errorDescriptor = { httpStatus: 200, appStatus: 500, message: ("Exception attempting to deserialize repsonse JSON: '" + exception_.toString() + "'") }; requestContext.errorHandler(JSON.stringify(errorDescriptor)); } // end catch } else { errorDescriptor = { httpStatus: httpRequest.status, appStatus: 0, message: httpRequest.responseText }; requestContext.errorHandler(JSON.stringify(errorDescriptor)); } } }; httpRequest.onerror = function() { var errorDescriptor = { httpStatus: httpRequest.status, appStatus: 0, message: httpRequest.responseText }; requestContext.errorHandler(JSON.stringify(errorDescriptor)); }; httpRequest.send(JSON.stringify(requestContext.request)); return { error: null, result: undefined }; } }); if (filterFactoryResponse.error) { throw new Error(filterFactoryResponse.error); } module.exports = filterFactoryResponse.result;
/*! pym.js - v0.4.1 - 2016-03-22 */ /* * Pym.js is library that resizes an iframe based on the width of the parent and the resulting height of the child. * Check out the docs at http://blog.apps.npr.org/pym.js/ or the readme at README.md for usage. */ /* global module */ (function(factory) { if (typeof define === 'function' && define.amd) { define(factory); } else if (typeof module !== 'undefined' && module.exports) { module.exports = factory(); } else { window.pym = factory.call(this); } })(function() { var MESSAGE_DELIMITER = 'xPYMx'; var lib = {}; /** * Generic function for parsing URL params. * Via http://stackoverflow.com/questions/901115/how-can-i-get-query-string-values-in-javascript * * @method _getParameterByName * @param {String} name The name of the paramter to get from the URL. */ var _getParameterByName = function(name) { var regex = new RegExp("[\\?&]" + name.replace(/[\[]/, '\\[').replace(/[\]]/, '\\]') + '=([^&#]*)'); var results = regex.exec(location.search); if (results === null) { return ''; } return decodeURIComponent(results[1].replace(/\+/g, " ")); }; /** * Check the message to make sure it comes from an acceptable xdomain. * Defaults to '*' but can be overriden in config. * * @method _isSafeMessage * @param {Event} e The message event. * @param {Object} settings Configuration. */ var _isSafeMessage = function(e, settings) { if (settings.xdomain !== '*') { // If origin doesn't match our xdomain, return. if (!e.origin.match(new RegExp(settings.xdomain + '$'))) { return; } } return true; }; var _addEventListener = function(on, fn, useCapture) { if(document.addEventListener) { window.addEventListener(on, fn, useCapture); } else { on = 'on' + on; window.attachEvent(on, fn); } } /** * Construct a message to send between frames. * * NB: We use string-building here because JSON message passing is * not supported in all browsers. * * @method _makeMessage * @param {String} id The unique id of the message recipient. * @param {String} messageType The type of message to send. * @param {String} message The message to send. */ var _makeMessage = function(id, messageType, message) { var bits = ['pym', id, messageType, message]; return bits.join(MESSAGE_DELIMITER); }; /** * Construct a regex to validate and parse messages. * * @method _makeMessageRegex * @param {String} id The unique id of the message recipient. */ var _makeMessageRegex = function(id) { var bits = ['pym', id, '(\\S+)', '(.+)']; return new RegExp('^' + bits.join(MESSAGE_DELIMITER) + '$'); }; /** * Initialize Pym for elements on page that have data-pym attributes. * * @method _autoInit */ var _autoInit = function() { var elements = document.querySelectorAll('[data-pym-src]'); var length = elements.length; for (var idx = 0; idx < length; ++idx) { var element = elements[idx]; if(element.getAttribute('data-pym-auto-initialized') !== null) { continue; } /* * Mark automatically-initialized elements so they are not * re-initialized if the user includes pym.js more than once in the * same document. */ element.setAttribute('data-pym-auto-initialized', ''); // Ensure elements have an id if (element.id === '') { element.id = 'pym-' + idx; } var src = element.getAttribute('data-pym-src'); var xdomain = element.getAttribute('data-pym-xdomain'); var config = {}; if (xdomain) { config.xdomain = xdomain; } new lib.Parent(element.id, src, config); } }; /** * The Parent half of a response iframe. * * @class Parent * @param {String} id The id of the div into which the iframe will be rendered. * @param {String} url The url of the iframe source. * @param {Object} config Configuration to override the default settings. */ lib.Parent = function(id, url, config) { this.id = id; this.url = url; this.el = document.getElementById(id); this.iframe = null; this.settings = { xdomain: '*' }; this.messageRegex = _makeMessageRegex(this.id); this.messageHandlers = {}; /** * Construct the iframe. * * @memberof Parent.prototype * @method _constructIframe */ this._constructIframe = function() { // Calculate the width of this element. var width = this.el.offsetWidth.toString(); // Create an iframe element attached to the document. this.iframe = document.createElement("iframe"); // Save fragment id var hash = ''; var hashIndex = this.url.indexOf('#'); if (hashIndex > -1) { hash = this.url.substring(hashIndex, this.url.length); this.url = this.url.substring(0, hashIndex); } // If the URL contains querystring bits, use them. // Otherwise, just create a set of valid params. if (this.url.indexOf('?') < 0) { this.url += '?'; } else { this.url += '&'; } // Append the initial width as a querystring parameter, and the fragment id this.iframe.src = this.url + 'initialWidth=' + width + '&childId=' + this.id + hash; // Set some attributes to this proto-iframe. this.iframe.setAttribute('width', '100%'); this.iframe.setAttribute('scrolling', 'no'); this.iframe.setAttribute('marginheight', '0'); this.iframe.setAttribute('frameborder', '0'); // Append the iframe to our element. this.el.appendChild(this.iframe); // Add an event listener that will handle redrawing the child on resize. var that = this; _addEventListener('resize', function() { that.sendWidth(); }); }; /** * Fire all event handlers for a given message type. * * @memberof Parent.prototype * @method _fire * @param {String} messageType The type of message. * @param {String} message The message data. */ this._fire = function(messageType, message) { if (messageType in this.messageHandlers) { for (var i = 0; i < this.messageHandlers[messageType].length; i++) { this.messageHandlers[messageType][i].call(this, message); } } }; /** * @callback Parent~onMessageCallback * @param {String} message The message data. */ /** * Process a new message from the child. * * @memberof Parent.prototype * @method _processMessage * @param {Event} e A message event. */ this._processMessage = function(e) { if (!_isSafeMessage(e, this.settings)) { return; } // Grab the message from the child and parse it. var match = e.data.match(this.messageRegex); // If there's no match or too many matches in the message, punt. if (!match || match.length !== 3) { return false; } var messageType = match[1]; var message = match[2]; this._fire(messageType, message); }; /** * Resize iframe in response to new height message from child. * * @memberof Parent.prototype * @method _onHeightMessage * @param {String} message The new height. */ this._onHeightMessage = function(message) { /* * Handle parent message from child. */ var height = parseInt(message); this.iframe.setAttribute('height', height + 'px'); }; /** * Bind a callback to a given messageType from the child. * * @memberof Parent.prototype * @method onMessage * @param {String} messageType The type of message being listened for. * @param {Parent~onMessageCallback} callback The callback to invoke when a message of the given type is received. */ this.onMessage = function(messageType, callback) { if (!(messageType in this.messageHandlers)) { this.messageHandlers[messageType] = []; } this.messageHandlers[messageType].push(callback); }; /** * Send a message to the the child. * * @memberof Parent.prototype * @method sendMessage * @param {String} messageType The type of message to send. * @param {String} message The message data to send. */ this.sendMessage = function(messageType, message) { this.el.getElementsByTagName('iframe')[0].contentWindow.postMessage(_makeMessage(this.id, messageType, message), '*'); }; /** * Transmit the current iframe width to the child. * * You shouldn't need to call this directly. * * @memberof Parent.prototype * @method sendWidth */ this.sendWidth = function() { var width = this.el.offsetWidth.toString(); this.sendMessage('width', width); }; // Add any overrides to settings coming from config. for (var key in config) { this.settings[key] = config[key]; } // Add height event callback this.onMessage('height', this._onHeightMessage); // Add a listener for processing messages from the child. var that = this; _addEventListener('message', function(e) { return that._processMessage(e); }, false); // Construct the iframe in the container element. this._constructIframe(); return this; }; /** * The Child half of a responsive iframe. * * @class Child * @param {Object} config Configuration to override the default settings. */ lib.Child = function(config) { this.parentWidth = null; this.id = null; this.settings = { renderCallback: null, xdomain: '*', polling: 0 }; this.messageRegex = null; this.messageHandlers = {}; /** * Bind a callback to a given messageType from the child. * * @memberof Child.prototype * @method onMessage * @param {String} messageType The type of message being listened for. * @param {Child~onMessageCallback} callback The callback to invoke when a message of the given type is received. */ this.onMessage = function(messageType, callback) { if (!(messageType in this.messageHandlers)) { this.messageHandlers[messageType] = []; } this.messageHandlers[messageType].push(callback); }; /** * @callback Child~onMessageCallback * @param {String} message The message data. */ /** * Fire all event handlers for a given message type. * * @memberof Parent.prototype * @method _fire * @param {String} messageType The type of message. * @param {String} message The message data. */ this._fire = function(messageType, message) { /* * Fire all event handlers for a given message type. */ if (messageType in this.messageHandlers) { for (var i = 0; i < this.messageHandlers[messageType].length; i++) { this.messageHandlers[messageType][i].call(this, message); } } }; /** * Process a new message from the parent. * * @memberof Child.prototype * @method _processMessage * @param {Event} e A message event. */ this._processMessage = function(e) { /* * Process a new message from parent frame. */ // First, punt if this isn't from an acceptable xdomain. if (!_isSafeMessage(e, this.settings)) { return; } // Get the message from the parent. var match = e.data.match(this.messageRegex); // If there's no match or it's a bad format, punt. if (!match || match.length !== 3) { return; } var messageType = match[1]; var message = match[2]; this._fire(messageType, message); }; /** * Send a message to the the Parent. * * @memberof Child.prototype * @method sendMessage * @param {String} messageType The type of message to send. * @param {String} message The message data to send. */ this.sendMessage = function(messageType, message) { /* * Send a message to the parent. */ window.parent.postMessage(_makeMessage(this.id, messageType, message), '*'); }; /** * Transmit the current iframe height to the parent. * * Call this directly in cases where you manually alter the height of the iframe contents. * * @memberof Child.prototype * @method sendHeight */ this.sendHeight = function() { /* * Transmit the current iframe height to the parent. * Make this callable from external scripts in case they update the body out of sequence. */ // Get the child's height. var height = document.getElementsByTagName('body')[0].offsetHeight.toString(); // Send the height to the parent. that.sendMessage('height', height); }; /** * Resize iframe in response to new width message from parent. * * @memberof Child.prototype * @method _onWidthMessage * @param {String} message The new width. */ this._onWidthMessage = function(message) { /* * Handle width message from the child. */ var width = parseInt(message); // Change the width if it's different. if (width !== this.parentWidth) { this.parentWidth = width; // Call the callback function if it exists. if (this.settings.renderCallback) { this.settings.renderCallback(width); } // Send the height back to the parent. this.sendHeight(); } }; // Identify what ID the parent knows this child as. this.id = _getParameterByName('childId') || config.id; this.messageRegex = new RegExp('^pym' + MESSAGE_DELIMITER + this.id + MESSAGE_DELIMITER + '(\\S+)' + MESSAGE_DELIMITER + '(.+)$'); // Get the initial width from a URL parameter. var width = parseInt(_getParameterByName('initialWidth')); // Bind the width message handler this.onMessage('width', this._onWidthMessage); // Initialize settings with overrides. for (var key in config) { this.settings[key] = config[key]; } // Set up a listener to handle any incoming messages. var that = this; _addEventListener('message', function(e) { that._processMessage(e); }, false); // If there's a callback function, call it. if (this.settings.renderCallback) { this.settings.renderCallback(width); } // Send the initial height to the parent. this.sendHeight(); // If we're configured to poll, create a setInterval to handle that. if (this.settings.polling) { window.setInterval(this.sendHeight, this.settings.polling); } return this; }; // Initialize elements with pym data attributes _autoInit(); return lib; });
import { flashMessage } from "./FlashMessages"; class Action { constructor(actionData) { this.properties = this.defaultValues(); Object.assign(this.properties, actionData || {}); this.validateData(); } get actionType() { return this.properties.actionType; } get uid() { return this.properties.uid; } get version() { return parseInt(this.properties.version) || 0; } isRemoval() { return false; } isPersistent() { return false; } apply(board) {} validateData() {} defaultValues() { return { isPersistent: this.isPersistent(), isRemoval: this.isRemoval() }; } ensureFields(fieldList) { for (let field of fieldList) { if (!(field in this.properties)) { throw new Error("Action of type " + this.actionType + " missing required field " + field); } } } ensureVersionedFields(versionMap) { var v = this.version; var fields = versionMap[v]; if (!fields) { throw new Error("Invalid version"); } return this.ensureFields(fields); } clone() { return attachActionMethods(JSON.parse(JSON.stringify(this.properties))); } serialize() { return this.properties; } } class CompositeAction extends Action { constructor(actionData) { super(actionData); this.actionList = this.properties.actionList.map(a => attachActionMethods(a)); this.properties.actionList = this.actionList.map(a => a.serialize()); } apply(board) { for (let a of this.actionList) { a.apply(board); } } validateData() { this.ensureFields(["actionList"]); } } class UpdateInitiativeAction extends Action { apply(board) { board.initiative.update(this.properties.initiative); } validateData() { this.ensureFields(["uid", "initiative"]); } } class AlertAction extends Action { apply(board) { flashMessage(this.properties.type, this.properties.message); } validateData() { this.ensureFields(["uid", "type", "message"]); } } const actionTypes = { compositeAction: CompositeAction, updateInitiativeAction: UpdateInitiativeAction, alertAction: AlertAction }; // Generates random 4 digit code function generateActionId() { return ("0000" + (Math.random()*Math.pow(36,4) << 0).toString(36)).substr(-4); } // Usually actions will either get generated from tools / User input or come over the wire // as json. This provides a mechanism to attach methods to those purely data-containing objects. function attachActionMethods(action) { if (!("actionType" in action) || !(action.actionType in actionTypes)) { throw new Error("Unknown Action Type: " + action.actionType); } return new actionTypes[action.actionType](action); } export { Action, generateActionId, attachActionMethods, actionTypes }
/** * Copyright (c) 2017 Dinesh Maharjan <httpdeveloper@gmail.com> * * Permission is hereby granted, free of charge, to any person obtaining a copy of * this software and associated documentation files (the "Software"), to deal in * the Software without restriction, including without limitation the rights to * use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies * of the Software, and to permit persons to whom the Software is furnished to do so, * subject to the following conditions: * * The above copyright notice and this permission notice shall be * included in all copies or substantial portions of the Software. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, * EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR * COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF * CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE * OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. * */ 'use strict'; import React, { Component } from 'react'; import { View, Platform } from 'react-native'; import AdsList from '../containers/AdsList'; import AdsGrid from '../containers/AdsGrid'; import AdsMap from '../containers/AdsMap'; const ScrollableTabView = require('react-native-scrollable-tab-view'); const styles = require('./style/Dashboard'); export default class Dashboard extends Component { render() { return ( <View style={Platform.OS === 'ios' ? styles.adscontainer : styles.adscontainerandroid}> <ScrollableTabView tabBarUnderlineStyle={styles.tabBarUnderlineStyle} tabBarActiveTextColor='#fff' tabBarBackgroundColor='#3F51B5' tabBarInactiveTextColor='#fff' > <AdsList tabLabel="LIST" /> <AdsGrid tabLabel="GRID" /> <AdsMap tabLabel="MAP" /> </ScrollableTabView> </View> ); } }
'use strict'; var expect = require('chai').expect; var MockUI = require('../../../helpers/mock-ui'); var MockAnalytics = require('../../../helpers/mock-analytics'); var processHelpString = require('../../../helpers/process-help-string'); var convertToJson = require('../../../helpers/convert-help-output-to-json'); var HelpCommand = require('../../../../lib/commands/help'); var NewCommand = require('../../../../lib/commands/new'); describe('help command: new json', function() { var ui, command; beforeEach(function() { ui = new MockUI(); var options = { ui: ui, analytics: new MockAnalytics(), commands: { 'New': NewCommand }, project: { isEmberCLIProject: function() { return true; } }, settings: {} }; command = new HelpCommand(options); }); it('works', function() { return command.validateAndRun(['new', '--json']).then(function() { var json = convertToJson(ui.output); var command = json.commands[0]; expect(command).to.deep.equal({ name: 'new', description: processHelpString('Creates a new directory and runs \u001b[32member init\u001b[39m in it.'), aliases: [], works: 'outsideProject', availableOptions: [ { name: 'dry-run', default: false, aliases: ['d'], key: 'dryRun', required: false }, { name: 'verbose', default: false, aliases: ['v'], key: 'verbose', required: false }, { name: 'blueprint', default: 'app', aliases: ['b'], key: 'blueprint', required: false }, { name: 'skip-npm', default: false, aliases: ['sn'], key: 'skipNpm', required: false }, { name: 'skip-bower', default: false, aliases: ['sb'], key: 'skipBower', required: false }, { name: 'skip-git', default: false, aliases: ['sg'], key: 'skipGit', required: false }, { name: 'directory', aliases: ['dir'], key: 'directory', required: false } ], anonymousOptions: ['<app-name>'] }); }); }); });
/*! React Starter Kit | MIT License | http://www.reactstarterkit.com/ */ import React, { Component, PropTypes } from 'react'; class Html extends Component { static propTypes = { title: PropTypes.string, description: PropTypes.string, css: PropTypes.string, body: PropTypes.string.isRequired, initialState: PropTypes.string.isRequired, }; static defaultProps = { title: '', description: '', initialState: '' }; render() { var state = this.props.initialState; state = encodeURIComponent(state); state = state.replace(/\'/g, '\\\''); //экранируем ' в строке var scriptInitState = `window.__INITIAL_STATE__ = '${state}';`; return ( <html className="no-js" lang="" > <head> <meta charSet="utf-8"/> <meta httpEquiv="X-UA-Compatible" content="IE=edge"/> <title>{this.props.title}</title> <meta name="description" content={this.props.description}/> <meta name="viewport" content="width=device-width, initial-scale=1"/> <link rel="apple-touch-icon" href="apple-touch-icon.png"/> <link rel="stylesheet" href="/css/bootstrap.min.css" /> <style id="css" dangerouslySetInnerHTML={{__html: this.props.css}}/> </head> <body> <script dangerouslySetInnerHTML={{__html: scriptInitState}} /> <div id="app" dangerouslySetInnerHTML={{__html: this.props.body}}/> <script src="/app.js"></script> </body> </html> ); } } export default Html;
var path = require('path'); var initGruntApps = []; var rebase = function (c, basePath) { c.modulesUsed = path.join(basePath, c.modulesUsed); c.modulesApp = path.join(basePath, c.modulesApp); c.destination = path.join(basePath, c.destination); if (c.pathBase != undefined) c.pathBase = path.join(basePath, c.pathBase); }; module.exports = function (grunt, configApp, basePath) { if (basePath !== undefined) { rebase(configApp, basePath); } var appKey = configApp.appName; if (initGruntApps.indexOf(appKey) > -1) { throw new Error(appKey + 'already built'); } var meta = { rootModuleName: configApp.rootModuleName, modulesUsed: configApp.modulesUsed, modulesApp: configApp.modulesApp, destination: configApp.destination, pathBase: configApp.pathBase }; var getOrder = { globPatternSearch: [ meta.modulesUsed + '**/*.js', meta.modulesApp + '**/*.js' ], globOptions: {}, rootModuleName: meta.rootModuleName, destination: meta.destination, pathBase: meta.pathBase }; var clean = [meta.dependenciesOrderDestination]; var config = {}; ['getOrder', 'clean'].forEach(function (key) { config[key] = {}; config[key][appKey] = eval(key); }); grunt.config.merge(config); grunt.registerTask(appKey + '-order', ['getOrder:' + appKey]); grunt.registerTask(appKey + '-clean', ['clean:' + appKey]); return { order: appKey + '-order', clean: appKey + '-clean' }; };
/** * Property readable flag meta processor * Set 'readable' flag for property */ meta('Readable', { /** * Sets 'readable' flag for property * * @param {object} object Some object * @param {boolean} readable Readable flag * @param {string} property Property name * * @this {metaProcessor} */ process: function(object, readable, property) { object.__setPropertyParam(property, 'readable', readable); } });
/** * Created by Ed on 8/5/2015. */ var Hapi = require('hapi'); // Create a server with a host and port var server = new Hapi.Server(); server.connection({ host: 'localhost', port: 8398 }); // Add the route server.route({ method: 'GET', path:'/', handler: function (request, reply) { reply.file('index.html'); } }); server.route({ method: 'GET', path:'/src/{scriptname}.js', handler: function (request, reply) { reply.file('src/' + request.params.scriptname + '.js'); } }); server.route({ method: 'GET', path:'/{scriptname}.css', handler: function (request, reply) { reply.file(request.params.scriptname + '.css'); } }); // Start the server server.start();
const html = require('yo-yo') module.exports = function (state, emit) { return html` <svg viewBox="0 0 105 100" class="triangle"> <symbol id="triangle"> <path d="M 4,100 l 45,-96 l 25,48 l -10,10 l 30,6 l -6,10 l 12,22 Z" stroke-width="2" /> </symbol> <use class="blue" id="blue" xlink:href="#triangle" /> <animateTransform xlink:href="#blue" attributeName="transform" type="translate" from="-1" to="-1" values="-1;-4;-1" keyTimes="0;.5;1" begin="0s" dur="20s" repeatCount="indefinite" /> <use class="green" id="green" xlink:href="#triangle" /> <animateTransform xlink:href="#green" attributeName="transform" type="translate" from="1 -1" to="1 -1" values="1 -1;1 -4;1 -1" keyTimes="0;.5;1" begin="0s" dur="20s" repeatCount="indefinite" /> <use class="red" id="red" xlink:href="#triangle" /> <animateTransform xlink:href="#red" attributeName="transform" type="translate" from="1" to="1" values="1;4;1" keyTimes="0;.5;1" begin="0s" dur="20s" repeatCount="indefinite" /> <use class="base" xlink:href="#triangle" /> </svg> ` }
// @flow import { RANGE, PALETTE } from "constants/controlTypes"; import * as palettes from "palettes"; import { cloneCanvas, fillBufferPixel, getBufferIndex, rgba } from "utils"; import type { Palette } from "types"; export const optionTypes = { intensity: { type: RANGE, range: [0, 4], step: 0.01, default: 0.33 }, gap: { type: RANGE, range: [0, 255], step: 1, default: 3 }, height: { type: RANGE, range: [0, 255], step: 1, default: 1 }, palette: { type: PALETTE, default: palettes.nearest } }; export const defaults = { intensity: optionTypes.intensity.default, gap: optionTypes.gap.default, height: optionTypes.height.default, palette: optionTypes.palette.default }; const scanline = ( input: HTMLCanvasElement, options: { intensity: number, gap: number, height: number, palette: Palette } = defaults ): HTMLCanvasElement => { const { intensity, gap, height, palette } = options; const output = cloneCanvas(input, false); const inputCtx = input.getContext("2d"); const outputCtx = output.getContext("2d"); if (!inputCtx || !outputCtx) { return input; } const buf = inputCtx.getImageData(0, 0, input.width, input.height).data; for (let x = 0; x < input.width; x += 1) { for (let y = 0; y < input.height; y += 1) { const i = getBufferIndex(x, y, input.width); const scale = y % gap < height ? intensity : 1; const prePaletteColor = rgba( buf[i] * scale, buf[i + 1] * scale, buf[i + 2] * scale, buf[i + 3] ); const col = palette.getColor(prePaletteColor, palette.options); fillBufferPixel(buf, i, col[0], col[1], col[2], col[3]); } } outputCtx.putImageData(new ImageData(buf, output.width, output.height), 0, 0); return output; }; export default { name: "Scanline", func: scanline, optionTypes, options: defaults, defaults };
import Component from 'react-pure-render/component'; import Divider from 'material-ui/Divider'; import React, { PropTypes } from 'react'; import TextField from 'material-ui/TextField'; import { defineMessages, FormattedMessage } from 'react-intl'; // import ImageUploadButton from '../components/images/ImageUploadButton.react'; // import ImageGrid from '../components/images/ImageGrid.react'; import IconButton from 'material-ui/IconButton'; import ContentSave from 'material-ui/svg-icons/content/save'; import { white } from 'material-ui/styles/colors'; import Header from '../ui/Header.react.js'; const _messages = defineMessages({ title: { defaultMessage: 'Event title', id: 'control.events.form.title' }, description: { defaultMessage: 'Event description', id: 'control.events.form.description' }, save: { defaultMessage: 'Save event', id: 'control.events.form.save' } }); const textFieldStyle = { marginLeft: 20, width: '90%' }; const iconStyle = { width: 24, height: 24 }; const headerIconsStyle = { marginTop: 8 }; export default class EventForm extends Component { static propTypes = { fields: PropTypes.object.isRequired, onFormSubmit: PropTypes.func.isRequired, saving: PropTypes.bool, validation: PropTypes.object, _messageTitle: PropTypes.object.isRequired }; constructor(props) { super(props); this.onSubmit = this.onSubmit.bind(this); } onSubmit(e) { e.preventDefault(); } render() { const { fields, onFormSubmit, validation, _messageTitle } = this.props; // const _mSave = intl.formatMessage(_messages.save); // const fk = (fields.id && fields.id.value) ? fields.id.value : null; const headerMenuItems = ( <div style={headerIconsStyle}> <FormattedMessage {..._messages.save}> {save => <IconButton onClick={onFormSubmit} iconStyle={iconStyle} id="events-submit-button" tooltip={save} > <ContentSave color={white} /> </IconButton>} </FormattedMessage> </div> ); return ( <div> <FormattedMessage {..._messageTitle}> {title => <Header back={'/events'} title={title} headerMenuItems={headerMenuItems} />} </FormattedMessage> <form onSubmit={this.onSubmit}> <FormattedMessage {..._messages.title}> {title => <TextField errorText={validation.field && validation.field.get('title')} floatingLabelText={title} fullWidth hintText={title} style={textFieldStyle} underlineShow={false} id="events-form-title" {...fields.title} />} </FormattedMessage> <Divider /> <FormattedMessage {..._messages.description}> {description => <TextField floatingLabelText={description} fullWidth hintText={description} multiLine rows={2} rowsMax={40} style={textFieldStyle} underlineShow={false} id="events-form-description" {...fields.description} />} </FormattedMessage> <Divider /> { /* <ImageUploadButton scope={this._scope} fk={fk} /> <Divider /> <ImageGrid saving={saving} scope={this._scope} fk={fk} /> <Divider /> */} </form> </div> ); } }
/** * Dependencies */ var NOOT = nootrequire(); describe('NOOT (utils)', function() { describe('.makeArray()', function() { it('should create an array from arguments', function() { (function() { NOOT.makeArray(arguments).should.deep.equal([1, 2, 3]); })(1, 2, 3); }); it('should create an array from arguments (empty)', function() { (function() { NOOT.makeArray(arguments).should.deep.equal([]); })(); }); it('should return a new array', function() { var param = [1, 2, 3]; var result = NOOT.makeArray(param); (result === param).should.eql(false); result.should.deep.eql(param); }); }); describe('.pickProperties()', function() { it('should return right properties', function() { NOOT.pickProperties({ name: { first: 'Sylvain', last: 'Estevez', nick: 'Bob' }, age: 28, password: 'youllnotfind', email: 'se@nootjs.com', addr: { street: 'rue de la Paix', nb: 5 } }, [ 'name.first', 'name.last', 'age', 'email', 'addr', 'blogs', '_id' ]).should.deep.eql({ name: { first: 'Sylvain', last: 'Estevez' }, addr: { street: 'rue de la Paix', nb: 5 }, age: 28, email: 'se@nootjs.com' }); }); }); });
module.exports = { entry: './src/app.js', output: { filename: "bundle.js" }, module: { loaders: [ { test: /\.js/, exclude: /node_modules/, loader: ['babel-loader','eslint-loader'] }, { test: /\.js/, loaders: ['babel-loader?presets[]=latest'], exclude: /node_modules/ }, { test: /\.json$/, loader: 'json-loader' } ] } }
app.directive('focus', function() { return function(scope, element) { element[0].focus(); } });
/*********************************************************************** This is a simple plugin to allow you to toggle an element between position: absolute and position: fixed based on the window scroll position. This lets you have an apparently inline element which floats to stay on the screen once it would otherwise scroll off the screen. Author: Chris Heald (cheald@mashable.com) Copyright (c) 2011, Chris Heald All rights reserved. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. Neither the name of the project nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. ***********************************************************************/ (function($) { var triggers = []; $.fn.floatingFixed = function(options) { options = $.extend({}, $.floatingFixed.defaults, options); var r = $(this).each(function() { var $this = $(this), pos = $this.position(); pos.position = $this.css("position"); $this.data("floatingFixedOrig", pos); $this.data("floatingFixedOptions", options); triggers.push($this); }); windowScroll(); return r; }; $.floatingFixed = $.fn.floatingFixed; $.floatingFixed.defaults = { padding: 0 }; var $differences = 0; function differences() { if (jQuery(window).scrollTop() > 100) { $differences = $('.header-sticky').height(); } else { $differences = 0; } } // differences(); // setTimeout(differences, 100); // $(window).scroll(differences); var $window = $(window); var windowScroll = function() { if(triggers.length === 0) { return; } var scrollY = $window.scrollTop(); for(var i = 0; i < triggers.length; i++) { var t = triggers[i], opt = t.data("floatingFixedOptions"); if(!t.data("isFloating")) { var off = t.offset(); t.data("floatingFixedTop", off.top); t.data("floatingFixedLeft", off.left); } var top = top = t.data("floatingFixedTop"); if(top < scrollY + opt.padding + $differences && !t.data("isFloating")) { t.css({position: 'fixed', top: opt.padding, left: t.data("floatingFixedLeft"), width: t.width() }).data("isFloating", true); t.addClass('floatingFixed').data("isFloating", true); } else if(top >= scrollY + opt.padding + $differences && t.data("isFloating")) { var pos = t.data("floatingFixedOrig"); t.css(pos).data("isFloating", false); t.removeClass('floatingFixed').data("isFloating", false); } } }; $window.scroll(windowScroll).resize(windowScroll); })(jQuery);
version https://git-lfs.github.com/spec/v1 oid sha256:665bec7159d3925156e2e45d1354dcc7d55fa4578047b0d9ab05a787812bfb59 size 8649
// The module 'vscode' contains the VS Code extensibility API // Import the module and reference it with the alias vscode in your code below let vscode = require('vscode'); // this method is called when your extension is activated // your extension is activated the very first time the command is executed function activate(context) { // Use the console to output diagnostic information (console.log) and errors (console.error) // This line of code will only be executed once when your extension is activated console.log('Congratulations, your extension "xtemplate" is now active!'); // The command has been defined in the package.json file // Now provide the implementation of the command with registerCommand // The commandId parameter must match the command field in package.json let disposable = vscode.commands.registerCommand('extension.sayHello', function () { // The code you place here will be executed every time your command is executed // Display a message box to the user vscode.window.showInformationMessage('Hello World!'); }); context.subscriptions.push(disposable); } exports.activate = activate; // this method is called when your extension is deactivated function deactivate() { } exports.deactivate = deactivate;
'use strict'; var expect = require('expect.js'), sinon = require('sinon'), getExecutorConstructor = require('../lib/executor'), _ = require('underscore'), proxyquire = require('proxyquire'); describe('docker executor', function() { var app = {lib: { command: {SpawnCommand: _.noop}, executor: {BaseExecutor: function(params) { this.project = params.project; if (params.env) { this.env = params.env; } }}, scm: {}, logger: _.noop }}; var makeExecutorConstructor = function(app, ShellCommand) { var getConstructor = proxyquire('../lib/executor', { './shellCommand': function(app) { return ShellCommand; } }); var Executor = getConstructor(app); return Executor; }; var makeShellCommandSpy = function(app) { var ShellCommand = require('../lib/shellCommand')(app), ShellCommandSpy = sinon.spy(ShellCommand); return ShellCommandSpy; }; describe('module', function() { it('should export function', function() { expect(getExecutorConstructor).a(Function); }); it('should export func which accepts single arg', function() { expect(getExecutorConstructor.length).equal(1); }); var Constructor; it('should export func which called without errors', function() { Constructor = getExecutorConstructor(app); }); it('should export func which returns executor constructor', function() { expect(Constructor.super_).equal(app.lib.executor.BaseExecutor); }); }); var project = {name: 'test_project'}, env = {name: 'test'}; describe('constructor', function() { var Executor, parentConstructorSpy; before(function() { parentConstructorSpy = sinon.spy( app.lib.executor, 'BaseExecutor' ); Executor = getExecutorConstructor(app); }); after(function() { app.lib.executor.BaseExecutor.restore(); }); it('should call parent constructor with params', function() { var params = {options: {}, project: project, env: env}, executor = new Executor(params); expect(parentConstructorSpy.calledOnce).equal(true); expect(parentConstructorSpy.getCall(0).args[0]).eql(params); }); it('should remember options passed to constructor', function() { var options = {someOption: 'someVal'}, params = {options: options, project: project, env: env}, executor = new Executor(params); expect(executor.options.someOption).eql(params.options.someOption); }); }); describe('_createScm method', function() { var Executor, executor = {}, params = {someParam: 'someVal'}, ShellCommandSpy, createScmSpy; before(function() { app.lib.scm.createScm = function(params) { return 'scm'; }; createScmSpy = sinon.spy(app.lib.scm, 'createScm'); ShellCommandSpy = makeShellCommandSpy(app); Executor = makeExecutorConstructor(app, ShellCommandSpy); executor._createScm = Executor.prototype._createScm; executor.options = {someOption: 'someValue'}; executor.containerId = '123'; }); after(function() { delete app.lib.scm.createScm; }); var result; it('should be called without error', function() { result = executor._createScm(params); }); it('should call lib createScm once', function() { expect(createScmSpy.calledOnce).equal(true); }); it('should create command', function() { expect(ShellCommandSpy.calledOnce).equal(true); }); it('should create command with options, params, containerId', function() { var args = ShellCommandSpy.getCall(0).args; expect(args[0]).eql( _({}).extend( executor.options, params, {containerId: executor.containerId} ) ); }); it('should call lib createScm with params and command', function() { var args = createScmSpy.getCall(0).args; expect(_(args[0]).omit('command')).eql(params); expect(args[0].command).a(ShellCommandSpy); }); it('should return result of create scm command', function() { expect(result).equal('scm'); }); }); describe('_createCommand method', function() { var Executor, executor = {}, params = {someParam: 'someVal'}, ShellCommandSpy; before(function() { ShellCommandSpy = makeShellCommandSpy(app); Executor = makeExecutorConstructor(app, ShellCommandSpy); executor._createCommand = Executor.prototype._createCommand; executor.options = {someOption: 'someVal'}; }); var result; it('should be executed without error', function() { result = executor._createCommand(params); }); it('should create command which calls spawn constructor', function() { expect(ShellCommandSpy.calledOnce).equal(true); }); it('should create command from options, params, containerId', function() { var args = ShellCommandSpy.getCall(0).args; expect(args[0]).eql( _({}).extend( executor.options, params, {containerId: executor.containerId} ) ); }); it('should return instance of command', function() { expect(result).a(ShellCommandSpy); }); }); });
import React from 'react'; import { floatRightButtonStyle, formElementsStyle, modalStyle } from '../styles/styles'; import Label from './Label'; export default class EditCardModal extends React.Component { constructor(props) { super(props); this.state = { selectedColor: 'red', }; } handleChange(e) { e.preventDefault(); this.props.onEditCard(this.props.laneid, { id: this.props.card.id, title: this.refs.title.value, note: this.refs.note.value, labels: this.props.card.labels }); } handleSubmit(e) { e.preventDefault(); if (this.refs.labelText.value != '') { this.props.onCreateLabel(this.props.laneid, this.props.card.id, this.refs.labelText.value, this.state.selectedColor); this.refs.labelText.value = ''; } document.getElementById(this.props.modalId).style.display = 'none'; } setLabelColor(event) { this.state.selectedColor = event.target.value; } render() { this.handleChange = this.handleChange.bind(this); this.handleSubmit = this.handleSubmit.bind(this); return ( <div id={this.props.modalId} className="w3-modal" style={modalStyle}> <div className="w3-modal-content w3-animate-top"> <header className="w3-container w3-red"> <span onClick={() => document.getElementById(this.props.modalId).style.display = 'none'} className="w3-button w3-display-topright">&times;</span> <h2>Update Card</h2> </header> <form style={formElementsStyle} className="w3-container" onSubmit={this.handleSubmit}> <label><h4>Card Title</h4></label> <input className="w3-input" ref="title" value={this.props.card.title} onChange={this.handleChange}/> <label><h4>Card Note</h4></label> <input className="w3-input" ref="note" value={this.props.card.note} onChange={this.handleChange}/> <br/> <div className="w3-panel w3-leftbar w3-border-green w3-pale-green"> <label><h4>Add New Label:</h4></label> <input className="w3-input" ref="labelText" /> <div className="w3-row-padding" onChange={this.setLabelColor.bind(this)}> <div className="w3-quarter"> <input className="w3-radio" type="radio" ref="labelColor" name="labelColor" value="red" defaultChecked /> <span className="w3-tag w3-red">Red</span> </div> <div className="w3-quarter"> <input className="w3-radio" type="radio" ref="labelColor" name="labelColor" value="blue" /> <span className="w3-tag w3-blue">Blue</span> </div> <div className="w3-quarter"> <input className="w3-radio" type="radio" ref="labelColor" name="labelColor" value="yellow" /> <span className="w3-tag w3-yellow">Yellow</span> </div> <div className="w3-quarter"> <input className="w3-radio" type="radio" ref="labelColor" name="labelColor" value="green" /> <span className="w3-tag w3-green">Green</span> </div> </div> <button style={floatRightButtonStyle} className="w3-btn w3-green" type="submit">Add Label </button> </div> <div className="w3-panel w3-leftbar w3-border-red w3-pale-red"> <h4>Delete Labels:</h4> <h6>(Click the label to delete)</h6> {this.props.card.labels.map(label => <div key={label.id} className="w3-margin" onClick={() => this.props.onDeleteLabel(this.props.laneid, this.props.card.id, label.id)}> <Label key={label.id} label={label}/> </div>)} </div> <br/><br/><br/> </form> </div> </div> ); } }
var lastActiveTab = {}; chrome.tabs.onActivated.addListener(function(activeInfo) { chrome.tabs.get(activeInfo.tabId, function(tab) { lastActiveTab[tab.windowId] = tab.index; }); }); chrome.tabs.onCreated.addListener(function(tab) { if ( lastActiveTab[tab.windowId] != null ) { chrome.tabs.move(tab.id, { index: lastActiveTab[tab.windowId] + 1 }); } }) chrome.tabs.onMoved.addListener(function(tabId, moveInfo) { if ( lastActiveTab[moveInfo.windowId] == moveInfo.fromIndex ) { lastActiveTab[moveInfo.windowId] = moveInfo.toIndex; } });
import { combineReducers } from 'redux' import socket from './socket' import operations from './operations' import databases from './databases' import replica_set from './replica_set' import settings from './settings' import { routerReducer } from 'react-router-redux' export default combineReducers({ socket, operations, databases, replica_set, settings, router: routerReducer })
function Level(game, level) { this.game = game; this.level = level; this.remaining = level; this.interval = undefined; this.period = 4; this.intervalTime = 10; this.velocity = 2 * Math.PI / (1000 * this.period); this.forward = true; this.game.setRemaining(level); var me = this; this.game.board.on('click', function() { if (me.interval) { me.clicked(); } else { me.start(); } }); } Level.prototype.start = function() { this.generateTarget(); var me = this; this.interval = setInterval(function() { me.redraw(); }, this.intervalTime); }; Level.prototype.clicked = function() { this.forward = !this.forward; this.remaining--; var targetRadiusAngle = 2 * this.targetRadius / (this.game.outerRadius + this.game.innerRadius) + this.game.arcWidth; var modArcCenter = (10 * Math.PI + this.game.arcCenter) % (2 * Math.PI); if (modArcCenter >= this.targetAngle - targetRadiusAngle && modArcCenter <= this.targetAngle + targetRadiusAngle) { this.game.setRemaining(this.remaining); if (this.remaining === 0) { this.gameOver(true); } else { this.generateTarget(); } } else { this.gameOver(false); } }; Level.prototype.redraw = function() { this.game.arcCenter += this.velocity * this.intervalTime * (this.forward ? 1 : -1); this.render(); }; Level.prototype.render = function() { this.game.arc.startAngle(this.game.arcCenter - this.game.arcWidth); this.game.arcEl .datum({endAngle: this.game.arcCenter + this.game.arcWidth}) .attr('d', this.game.arc); }; Level.prototype.generateTarget = function() { if (this.target) { this.target.remove(); } this.targetAngle = 2 * Math.PI * Math.random(); var r = (this.game.outerRadius + this.game.innerRadius) / 2; var x = r * Math.sin(this.targetAngle); var y = -r * Math.cos(this.targetAngle); this.targetRadius = (this.game.outerRadius - this.game.innerRadius) / 2 - 5; this.target = this.game.svg.append('circle') .attr('transform', 'translate(' + x + ',' + y + ')') .attr('r', this.targetRadius) .style('fill', 'yellow'); }; Level.prototype.reset = function() { this.target.remove(); this.game.arcCenter = 0; this.render(); }; Level.prototype.gameOver = function(win) { clearInterval(this.interval); this.interval = undefined; this.reset(); var newLevel = this.level + (win ? 1 : 0); var bestLevel = parseInt(window.localStorage.level); if (!bestLevel || bestLevel < newLevel) { window.localStorage.level = newLevel; } this.game.startLevel(newLevel); };
export { layoutActions } from './actions'; export { initLayout } from './layout'; export { layoutReducer } from './reducer';
(function() { var pumpkin = new Pumpkin(); pumpkin.addWork('getOrgs', function() { var next = this.next; CF.async({url : '/v2/organizations'}, function(result) { if(result) { if(result.resources) { var html = ''; var orgList = result.resources; for(var i=0; i<orgList.length; i++) { html += '<option value="' + orgList[i].metadata.guid + '">' + orgList[i].entity.name + '</option>'; } $('#orgSelect').html(html).removeAttr('disabled'); next({guid : orgList[0].metadata.guid}); } else { $('#orgSelect option:first').text(result.description ? result.description : JSON.stringify(result.error)); } } else { $('#orgSelect option:first').text('Unknown Error'); } }, function(error) { $('#orgSelect option:first').text(error); }); }); pumpkin.addWork('getSpaces', function(params) { var next = this.next; CF.async({url : '/v2/organizations/' + params.guid + '/spaces'}, function(result) { if(result) { if(result.resources) { var html = ''; var spaceList = result.resources; for(var i=0; i<spaceList.length; i++) { html += '<option value="' + spaceList[i].metadata.guid + '">' + spaceList[i].entity.name + '</option>'; } $('#spaceSelect').html(html).removeAttr('disabled'); } else { $('#spaceSelect option:first').text(result.description ? result.description : JSON.stringify(result.error)); } } else { $('#spaceSelect option:first').text('Unknown Error'); } next(); }, function(error) { $('#spaceSelect option:first').text(error); }); }); pumpkin.addWork('getApps', function(params) { var next = this.next; CF.async({url : '/v2/spaces/' + params.guid + '/apps'}, function(result) { if(result) { if(result.resources) { var html = ''; var appList = result.resources; for(var i=0; i<appList.length; i++) { html += '<option value="' + appList[i].metadata.guid + '">' + appList[i].entity.name + '</option>'; } $('#appSelect').html('<option value="">Select a app</option>' + html).removeAttr('disabled'); } else { $('#appSelect option:first').text(result.description ? result.description : JSON.stringify(result.error)); } } else { $('#appSelect option:first').text('Unknown Error'); } next(); }, function(error) { $('#appSelect option:first').text(error); }); }); var getServiceInstanceDetail = new Pumpkin(); getServiceInstanceDetail.addWork('getServicePlan', function(service) { var next = this.next; var error = this.error; CF.async({url : service.entity.service_plan_url}, function(result) { if(result) { if(result.entity) { service.plan = result; CF.async({url : result.entity.service_url}, function(result) { if(result) { if(result.entity) { service.service = result; next(); } else { error(result.description ? result.description : JSON.stringify(result.error)); } } else { error('Unknown Error'); } }, function(error) { error(error); }); } else { error(result.description ? result.description : JSON.stringify(result.error)); } } else { error('Unknown Error'); } }, function(error) { error(error); }); }); getServiceInstanceDetail.addWork('getServiceBindings', function(service) { var next = this.next; var error = this.error; CF.async({url : service.entity.service_bindings_url}, function(result) { if(result) { if(result.resources) { service.bindings = result.resources; next(service); } else { error(result.description ? result.description : JSON.stringify(result.error)); } } else { error('Unknown Error'); } }, function(error) { error(error); }); }); var getServices = function() { var origin = $('#serviceTable'); var clone = origin.clone(); clone.insertAfter(origin); origin.remove(); var progress = clone.find('tbody tr:first').show(); clone.find('tbody').html('').append(progress); var guid = $('#spaceSelect').val(); CF.async({url : '/v2/spaces/' + guid + '/service_instances'}, function(result) { if(result) { if(result.resources) { var serviceList = result.resources; var forEach = new ForEach(); forEach.async(serviceList, function(service, index) { var done = this.done; var worker = new Pumpkin(); worker.state = 0; worker.data = getServiceInstanceDetail.data; worker.works = getServiceInstanceDetail.works; var workList = []; workList.push({name : 'getServicePlan', params : service}); workList.push({name : 'getServiceBindings', params : service}); worker.executeAsync(workList, function(serviceInstance) { var template = $('#serviceRowTemplate').html(); template = template.replace('{description}', serviceInstance.service.entity.label).replace('{name}', serviceInstance.entity.name).replace('{boundApps}', serviceInstance.bindings.length); template = template.replace('{manageUrl}', serviceInstance.entity.dashboard_url); var imageUrl = ''; var docsUrl = ''; var supportUrl = ''; if(serviceInstance.service.entity.extra) { var extra = JSON.parse(serviceInstance.service.entity.extra); imageUrl = extra.imageUrl; serviceInstance.service.entity.extra = extra; } template = template.replace('{imgUrl}', imageUrl); if(serviceInstance.plan.entity.extra) { var extra = JSON.parse(serviceInstance.plan.entity.extra); serviceInstance.plan.entity.extra = extra; supportUrl = serviceInstance.service.entity.extra.supportUrl; docsUrl = serviceInstance.service.entity.extra.documentationUrl; if(extra.costs) { var costs = extra.costs[0]; template = template.replace('{plan}', '$' + costs.amount.usd + ' / ' + costs.unit + ' <br> (' + serviceInstance.plan.entity.name + ')'); } else if(extra.displayName) { template = template.replace('{plan}', extra.displayName + ' <br> (' + serviceInstance.plan.entity.name + ')'); } } else { template = template.replace('{plan}', 'User Provided <br> (' + serviceInstance.plan.entity.name + ')'); } template = template.replace('{supportUrl}', supportUrl).replace('{docsUrl}', docsUrl); template = $(template).hide(); template.get(0).item = serviceInstance; serviceInstance.element = template; if(!imageUrl) template.find('img').remove(); clone.find('tbody').append(template); done(); }, function(workName, error) { clone.find('tbody').append('<tr><td colspan="5" style="text-align: center; color: red;">' + error + '</td></tr>'); }); }, function() { getUserProvidedService(clone, function(list) { if(serviceList.length == 0 && list.length == 0) clone.find('tbody').append('<tr><td colspan="5" style="text-align:center;">no services</td></tr>'); clone.find('tbody tr').show(); progress.hide(); if(serviceList.length > 0 || list.length > 0) setDetails(); }); }); } else { clone.find('.progress-row').hide(); clone.find('tbody').append('<tr><td colspan="5" style="text-align: center; color: red;">' + (result.description ? result.description : JSON.stringify(result.error)) + '</td></tr>'); } } else { clone.find('.progress-row').hide(); clone.find('tbody').append('<tr><td colspan="5" style="text-align: center; color: red;">Unknown Error</td></tr>'); } }, function(error) { clone.find('.progress-row').hide(); clone.find('tbody').append('<tr><td colspan="5" style="text-align: center; color: red;">' + error + '</td></tr>'); }); }; var getUserProvidedService = function(clone, callback) { var guid = $('#spaceSelect').val(); CF.async({url : '/v2/user_provided_service_instances'}, function(result) { if(result) { var list = result.resources; if(list) { for(var i=0; i<list.length; i++) { if(list[i].entity.space_guid != guid) continue; (function(instance) { instance.isCups = true; var template = $('#serviceRowTemplate').html(); template = $(template.replace('{description}', 'user-provided-service').replace('{name}', instance.entity.name).replace('{plan}', '')); instance.element = template; CF.async({url : instance.entity.service_bindings_url}, function(result) { var td = $(template).find('td:nth-child(3)'); if(result) { var bindings = result.resources; if(bindings) { instance.bindings = bindings; td.html(bindings.length); } else { td.html('<span style="color: red; font-size: 11px;>' + (result.description ? result.description : JSON.stringify(result.error)) + '</span>'); } } else { td.html('<span style="color: red; font-size: 11px;>Unknown Error</span>'); } }); template.get(0).item = instance; template.find('td:last').html(''); clone.find('tbody').append(template); })(list[i]); } callback(list); } else { clone.find('.progress-row').hide(); clone.find('tbody').append('<tr><td colspan="5" style="text-align: center; color: red;">' + (result.description ? result.description : JSON.stringify(result.error)) + '</td></tr>'); } } else { clone.find('.progress-row').hide(); clone.find('tbody').html('<tr><td colspan="5" style="text-align: center; color: red;">Unknown Error</td></tr>'); } }); }; var setDetailsPumpkin = new Pumpkin(); setDetailsPumpkin.addWork('setBindings', function(serviceInstance) { var next = this.next; $('#bindings .binding-table tbody').html(''); var forEach = new ForEach(); forEach.async(serviceInstance.bindings, function(binding, index) { var done = this.done; CF.async({url : binding.entity.app_url}, function(result) { var template = $('#boundAppRowTemplate').html(); if(result) { if(result.entity) { template = template.replace('{name}', result.entity.name); template = $(template); template.get(0).item = binding; } else { template = template.replace('{name}', result.description ? result.description : JSON.stringify(result.error)); } } else { template = template.replace('{name}', 'Unknown Error'); } $('#bindings .binding-table tbody').append(template); done(); }, function(error) { template = template.replace('{name}', error); $('#bindings .binding-table tbody').append(template); done(); }); }, function() { if(serviceInstance.bindings.length == 0) $('#bindings .binding-table tbody').append('<tr><td colspan="2" style="text-align: center;">no bound apps.</td></tr>'); $('#bindings .binding-table tbody .unbind').each(function() { var that = this; confirmButton(this, function(done) { var binding = $(that).parent().parent().get(0).item; CF.async({url : binding.metadata.url, method : 'DELETE'}, function(result) { if(result) { if(result.code) { $(that).next().text(result.description ? result.description : JSON.stringify(result.error)); } } var item = $('#serviceTable tbody tr.selected').get(0).item; for(var i=0; i<item.bindings.length; i++) { if(item.bindings[i].metadata.url == binding.metadata.url) { item.bindings.splice(i, 1); break; } } var boundApp = $('#serviceTable tbody tr.selected td:nth-child(3)').text(); boundApp = new Number(boundApp); $('#serviceTable tbody tr.selected td:nth-child(3)').text(--boundApp); $(that).parent().parent().remove(); if($('.binding-table tbody tr').length == 0) $('.binding-table tbody').append('<tr><td colspan="2" style="text-align: center;">no bound apps.</td></tr>'); done(); }, function(error) { $(that).next().text(error); }); }); }); next(serviceInstance); }); }); var selectPlan = function(serviceInstance, plan, successTarget, errorTarget) { $('<span class="glyphicon glyphicon-refresh small-progress"></span>').insertBefore(successTarget); $(successTarget).hide().prev().css('display', 'inline-block'); CF.async({url : '/v2/service_instances/' + serviceInstance.metadata.guid, method : 'PUT', headers : {'Content-Type' : 'application/x-www-form-urlencoded'}, form : {service_plan_guid : plan.metadata.guid}}, function(result) { $(successTarget).show().prev().remove(); if(result) { if(result.entity) { $('.bullets').find('.selected-plan').removeAttr('disabled', '').removeClass('btn-info').addClass('btn-primary').addClass('select-plan').removeClass('selected-plan').text('Select this plan'); $(successTarget).attr('disabled', '').removeClass('btn-primary').addClass('btn-info').addClass('selected-plan').removeClass('select-plan').text('Selected'); } else { $(errorTarget).text(result.description ? result.description : JSON.stringify(result.error)); } } else { $(errorTarget).text('Unknown Error'); } }, function(error) { $(errorTarget).text(error); }); }; setDetailsPumpkin.addWork('setPlan', function(serviceInstance) { var next = this.next; $('.plans-table tbody').html(''); if(!serviceInstance.service) { next(); return; } CF.async({url : serviceInstance.service.entity.service_plans_url}, function(result) { if(result) { if(result.resources) { var planList = result.resources; var th = null; var tr = null; for(var i=0; i<planList.length; i++) { if(th == null && tr == null) { th = $('<tr></tr>'); tr = $('<tr></tr>'); } var nameTh = $('<th><p class="plan-name">' + planList[i].entity.name + '</p></th>'); th.append(nameTh); var td = $('<td class="bullets" valign="top"></td>'); tr.append(td); if(planList[i].entity.extra) { planList[i].entity.extra = JSON.parse(planList[i].entity.extra); if(planList[i].entity.extra.costs) $('<span>$' + planList[i].entity.extra.costs[0].amount.usd + ' / ' + planList[i].entity.extra.costs[0].unit + '</span>').insertAfter(nameTh.find('span')); var bullets = planList[i].entity.extra.bullets; if(bullets) { var html = '<ul>'; for(var j=0; j<bullets.length; j++) { html += '<li>' + bullets[j] + '</li>'; } html += '</ul>'; td.append(html); } } if(serviceInstance.plan.metadata.guid != planList[i].metadata.guid) { var div = $('<div style="text-align: center;"><button type="button" class="btn btn-primary select-plan">Select this plan</button><p class="message"></p></div></td>'); div.get(0).item = planList[i]; td.append(div); } else { var div = $('<div style="text-align: center;"><button type="button" class="btn btn-info selected-plan" disabled>Selected</button><p class="message"></p></div></td>'); div.get(0).item = planList[i]; td.append(div); } if(i != 0 && i%4 == 0) { $('.plans-table tbody').append(th).append(tr); tr.find('.select-plan').on('click', function() { var plan = $(this).parent().get(0).item; selectPlan(serviceInstance, plan, this, $(this).next()); }); th = null; tr = null; } } if(th && td) { tr.find('.select-plan').on('click', function() { var plan = $(this).parent().get(0).item; selectPlan(serviceInstance, plan, this, $(this).next()); }); $('.plans-table tbody').append(th).append(tr); } } else { $('.plans-table tbody').append('<tr><td colspan="5">' + (result.description ? result.description : JSON.stringify(result.error)) + '</td></tr>'); } } else { $('.plans-table tbody').append('<tr><td colspan="5">Unknown Error</td></tr>'); } next(); }); }); setDetailsPumpkin.addWork('setSettings', function(serviceInstance) { $('#settings input[name="name"]').val(serviceInstance.entity.name).get(0).item = serviceInstance; this.next(); }); var refreshSettingCredentials = function(serviceInstance) { $('#credentialsGroup').html('<p class="label-for-input">Credentials</p>'); if(serviceInstance.isCups) { for(var key in serviceInstance.entity.credentials) { var html = $('#cupsTemplate').html(); html = $(html.replace('{key}', key).replace('{value}', serviceInstance.entity.credentials[key])); $(html).find('button').on('click', function() { $(this).parent().parent().remove(); }); $('#credentialsGroup').append(html); } var html = $('#cupsTemplate').html(); html = $(html.replace('{key}', '').replace('{value}', '')); html.find('button').attr('data-id', 'addCupsKeyValues').find('span').attr('class', 'glyphicon glyphicon-plus'); $(html).find('button').on('click', function() { var clone = $(this).parent().parent().clone(); $(clone).insertBefore($(this).parent().parent()); $(clone).find('button').html('<span class="glyphicon glyphicon-minus"></span>').off('click').on('click', function() { $(this).parent().parent().remove(); }); $(this).parent().parent().find('input').val(''); }); $('#credentialsGroup').append(html); $('#serviceDetailTab a[href="#plan"]').hide(); $('#credentialsGroup').show(); } else { $('#serviceDetailTab a[href="#plan"]').show(); $('#credentialsGroup').hide(); } } var setDetails = function() { $('#serviceTable tbody tr').off('click').on('click', function() { $("#settings .message").text(''); $('.detailProgress').show(); $('.tab-pane.active').removeClass('active'); $('#serviceTable tbody tr.selected').removeClass('selected'); $(this).addClass('selected'); var serviceInstance = this.item; $('#serviceDetails').show(); $('#credentialsGroup').html('<p class="label-for-input">Credentials</p>'); if(serviceInstance.isCups) { for(var key in serviceInstance.entity.credentials) { var html = $('#cupsTemplate').html(); html = $(html.replace('{key}', key).replace('{value}', serviceInstance.entity.credentials[key])); $(html).find('button').on('click', function() { $(this).parent().parent().remove(); }); $('#credentialsGroup').append(html); } var html = $('#cupsTemplate').html(); html = $(html.replace('{key}', '').replace('{value}', '')); html.find('button').attr('data-id', 'addCupsKeyValues').find('span').attr('class', 'glyphicon glyphicon-plus'); $(html).find('button').on('click', function() { var clone = $(this).parent().parent().clone(); $(clone).insertBefore($(this).parent().parent()); $(clone).find('button').html('<span class="glyphicon glyphicon-minus"></span>').off('click').on('click', function() { $(this).parent().parent().remove(); }); $(this).parent().parent().find('input').val(''); }); $('#credentialsGroup').append(html); $('#serviceDetailTab a[href="#plan"]').hide(); $('#credentialsGroup').show(); } else { $('#serviceDetailTab a[href="#plan"]').show(); $('#credentialsGroup').hide(); } var workList = []; workList.push({name : 'setBindings', params : serviceInstance}); workList.push({name : 'setPlan', params : serviceInstance}); workList.push({name : 'setSettings', params : serviceInstance}); pumpkin.execute([{name : 'getApps', params : {guid : $('#spaceSelect').val()}}], function() { }); setDetailsPumpkin.executeAsync(workList, function() { var id = $('#serviceDetailTab >ul > li.active').children('a').attr('aria-controls'); $('#' + id).addClass('active'); $('.detailProgress').hide(); $('html, body').animate({scrollTop:document.body.scrollHeight}); }); }); $('#serviceTable tbody tr:nth-child(2)').click(); }; var bindingService = function(binding, callback) { var template = $('#boundAppRowTemplate').html(); template = template.replace('{name}', binding.entity.name); template = $(template); template.get(0).item = binding; $('#bindings .binding-table tbody td[colspan="2"]').parent().remove(); $('#bindings .binding-table tbody').append(template); confirmButton(template.find('.unbind'), function(done) { var that = this; CF.async({url : binding.metadata.url, method : 'DELETE'}, function(result) { if(result) { if(result.code) { $(that).next().text(result.description ? result.description : JSON.stringify(result.error)); } } var item = $('#serviceTable tbody tr.selected').get(0).item; for(var i=0; i<item.bindings.length; i++) { if(item.bindings[i].metadata.url == binding.metadata.url) { item.bindings.splice(i, 1); break; } } var boundApp = $('#serviceTable tbody tr.selected td:nth-child(3)').text(); boundApp = new Number(boundApp); $('#serviceTable tbody tr.selected td:nth-child(3)').text(--boundApp); $(that).parent().parent().remove(); if($('.binding-table tbody tr').length == 0) $('.binding-table tbody').append('<tr><td colspan="2" style="text-align: center;">no bound apps.</td></tr>'); done(); }, function(error) { $(that).next().text(error); }); }); callback(); }; $(document).ready(function() { pumpkin.execute(['getOrgs', 'getSpaces'], function() { if(!$('#spaceSelect').val()) { $('#spaceSelect').html('<option value="" disabled selected>no spaces</option>'); $('#serviceTable tbody').append('<tr><td colspan="5" style="text-align:center;">no services</td></tr>').find('tr:first').hide(); } else { getServices(); } }); $('#orgSelect').on('change', function() { $('.tab-pane.active').removeClass('active'); $('#spaceSelect').html('<option value="" disabled selected>Spaces Loading...</option>'); pumpkin.execute([{name : 'getSpaces', params : {guid : $(this).val()}}], function() { if(!$('#spaceSelect').val()) { $('#spaceSelect').html('<option value="" disabled selected>no spaces</option>'); $('#serviceTable tbody').append('<tr><td colspan="5" style="text-align:center;">no services</td></tr>').find('tr:first').hide(); } else { getServices(); pumpkin.execute([{name : 'getApps', params : {guid : $('#spaceSelect').val()}}], function() { }); } }); }); $('#spaceSelect').on('change', function() { $('.tab-pane.active').removeClass('active'); if($(this).val() == '') { if(this.init) return; this.init = true; var that = this; $('#spaceSelect').html('<option value="">Spaces Loading...</option>').attr('disabled', ''); pumpkin.execute([{name : 'getSpaces', params: {guid : guid}}], function() { $('#spaceSelect').removeAttr('disabled'); that.init = false; }); } else { getServices(); pumpkin.execute([{name : 'getApps', params : {guid : $(this).val()}}], function() { }); } }); formSubmit($('#bindings form'), function(data) { $("#bindings .bind-message").text(''); $('#bindings input[type="submit"]').hide().next().hide(); $('#bindings .small-progress').css('display', 'inline-block'); var serviceInstance = $('#settings input[name="name"]').get(0).item; data.service_instance_guid = serviceInstance.metadata.guid; CF.async({url : '/v2/service_bindings', method : 'POST', headers : {'Content-Type' : 'application/x-www-form-urlencoded'}, form : data}, function(result) { if(result) { if(result.entity) { result.entity.name = $('#appSelect option:selected').text(); bindingService(result, function() { var boundApp = $('#serviceTable tbody tr.selected td:nth-child(3)').text(); boundApp = new Number(boundApp); $('#serviceTable tbody tr.selected td:nth-child(3)').text(++boundApp); $('#bindings .small-progress').hide().next().show().next().show(); $('#appSelect').val('').removeAttr('disabled'); }); } else { $('#bindings .small-progress').hide().next().show().next().show(); $('#appSelect').val('').removeAttr('disabled'); $("#bindings .bind-message").text(result.description ? result.description : JSON.stringify(result.error)); } } else { $('#bindings .small-progress').hide().next().show().next().show(); $('#appSelect').val('').removeAttr('disabled'); $("#bindings .bind-message").text('Service binding is failed.'); } }, function(error) { $('#bindings .small-progress').hide().next().show().next().show(); $('#appSelect').val('').removeAttr('disabled'); $("#bindings .bind-message").text(error); }); }); formSubmit($('#settings form'), function(data) { $("#settings .message").text(''); $('#settings input[type="submit"]').hide().next().hide(); $('#settings .small-progress').css('display', 'inline-block'); var serviceInstance = $('#settings input[name="name"]').get(0).item; if(serviceInstance.isCups) { var credentials = {}; if(typeof data.key != 'string') { for(var i=0; i<data.key.length; i++) { if(data.key[i]) credentials[data.key[i]] = data.value[i]; } } else { if(data.key) credentials[data.key] = data.value; } data.credentials = credentials; delete data.key; delete data.value; } CF.async({url : serviceInstance.metadata.url, method : 'PUT', headers : {'Content-Type' : 'application/json'}, form : data}, function(result) { if(result) { if(result.entity) { result.isCups = serviceInstance.isCups; refreshSettingCredentials(result); $('#settings .small-progress').hide().next().show().next().show().next().text('Updated.').css('color', '#286090'); serviceInstance.element.find('td:nth-child(2)').text(result.entity.name); setTimeout(function() { $('#settings .message').text('').css('color', ''); }, 3000); } else { $("#settings .message").text(result.description ? result.description : JSON.stringify(result.error)).prev().prev().prev().hide(); setTimeout(function() { $('#settings .message').text('').css('color', '').prev().show().prev().show(); }, 3000); } } else { $("#settings .message").text('Unknown Error').prev().prev().prev().hide(); setTimeout(function() { $('#settings .message').text('').css('color', '').prev().show().prev().show(); }, 3000); } }, function(error) { $("#settings .message").text(error).prev().prev().prev().hide(); setTimeout(function() { $('#settings .message').text('').css('color', '').prev().show().prev().show(); }, 3000); }); }); confirmButton($('#deleteServiceInstance'), function(done) { $("#settings .message").text(''); $('#settings input[type="submit"]').hide(); var serviceInstance = $('#settings input[name="name"]').get(0).item; CF.async({url : serviceInstance.metadata.url, method : 'DELETE'}, function(result) { if(result) { if(result.code) { $('#settings input[type="submit"]').show(); $("#settings .message").text(result.description ? result.description : JSON.stringify(result.error)); done(); return; } } var item = $('#serviceTable tbody tr.selected').get(0).item; $('#serviceDetails').hide(); $('#settings input[type="submit"]').show(); serviceInstance.element.remove(); done(); }, function(error) { $('#settings input[type="submit"]').show(); $("#settings .message").text(error); done(); }); }); $('#cups').on('click', function() { $('#createUserProvidedServiceDialog .modal-body input').val(''); var row = $('#createUserProvidedServiceDialog .form-row'); for(var i=row.length-1; i>=2; i--) { $(row[i]).remove(); } $('#createUserProvidedServiceDialog').modal('show'); }); $('button[data-id="addCupsKeyValues"]').on('click', function() { var clone = $(this).parent().parent().clone(); $(clone).insertBefore($(this).parent().parent()); $(clone).find('button').html('<span class="glyphicon glyphicon-minus"></span>').off('click').on('click', function() { $(this).parent().parent().remove(); }); $(this).parent().parent().find('input').val(''); }); $('#cancelCupsDialog').on('click', function() { $('#createUserProvidedServiceDialog').modal('hide'); }); formSubmit('#createUserProvidedServiceDialog form', function(data) { var credentials = {}; if(typeof data.key != 'string') { for(var i=0; i<data.key.length; i++) { if(data.key[i]) credentials[data.key[i]] = data.value[i]; } } else { if(data.key) credentials[data.key] = data.value; } var form = {}; form.name = data.name; form.credentials = credentials; form.space_guid = $('#spaceSelect').val(); $('#cupsMessage').prev().css('display', 'inline-block'); $('#cupsMessage').next().hide().next().hide(); CF.async({url : '/v2/user_provided_service_instances', method : 'POST', headers : {'Content-Type' : 'application/json'}, form : form}, function(result) { $('#cupsMessage').next().show().next().show(); if(result) { if(result.entity) { result.isCups = true; result.bindings = []; var template = $('#serviceRowTemplate').html(); template = $(template.replace('{description}', 'user-provided-service').replace('{name}', result.entity.name).replace('{plan}', '').replace('{boundApps}', '0')); result.element = template; template.get(0).item = result; template.find('td:last').html(''); $('#serviceTable tbody').append(template); setDetails(); $('#cupsMessage').text('').prev().hide(); $('#createUserProvidedServiceDialog').modal('hide'); } else { $('#cupsMessage').text(JSON.stringify(result)).prev().hide(); } } else { $('#cupsMessage').text('Unknown Error').prev().hide(); } }); }); }); })();
var valueOrDefault = function (value, _default) { if (typeof value === 'undefined') { return _default; } return value; }; /** * * @param options * @constructor */ var Retry = function (options) { this._maxTries = valueOrDefault(options.maxTries, 1); this._delayBetweenRetries = valueOrDefault(options.delay, -1); this._onError = valueOrDefault(options.onError, function(error){}); this._currentRetries = 0; this._errors = []; this._started = false; this._promiseFactory = valueOrDefault(options.promiseFactory, function () { return Promise.resolve(true); }); }; Retry.prototype.execute = function () { return new Promise(this._execute.bind(this)); }; Retry.prototype.getRetries = function(){ return this._currentRetries; }; Retry.prototype.getErrors = function(){ return this._errors; }; Retry.prototype._execute = function (res, rej) { var task = function () { this._currentRetries++; if (this._maxTries >= this._currentRetries) { this._promiseFactory().then( function (result) { res(result); }.bind(this), function (error) { //push error to the stack this._errors.push(error); this._onError(error); this._execute(res, rej); }.bind(this) ); } else { return rej(this._errors); } }.bind(this); if(!this._started){ this._started = true; task(); }else{ if(this._delayBetweenRetries >=0){ setTimeout(task.bind(this),this._delayBetweenRetries); }else{ task(); } } }; module.exports = Retry;
(function(g){var b=['SVGSVGElement','SVGGElement'],d=document.createElement('dummy');if(!b[0]in g)return!1;if(Object.defineProperty){var e={get:function(){d.innerHTML='';Array.prototype.slice.call(this.childNodes).forEach(function(a){d.appendChild(a.cloneNode(!0))});return d.innerHTML},set:function(a){var b=this,e=Array.prototype.slice.call(b.childNodes),f=function(a,c){if(1!==c.nodeType)return!1;var b=document.createElementNS('http://www.w3.org/2000/svg',c.nodeName.toLowerCase());Array.prototype.slice.call(c.attributes).forEach(function(a){b.setAttribute(a.name, a.value)});'TEXT'===c.nodeName&&(b.textContent=c.innerHTML);a.appendChild(b);c.childNodes.length&&Array.prototype.slice.call(c.childNodes).forEach(function(a){f(b,a)})},a=a.replace(/<(\w+)([^<]+?)\/>/,'<$1$2></$1>');e.forEach(function(a){a.parentNode.removeChild(a)});d.innerHTML=a;Array.prototype.slice.call(d.childNodes).forEach(function(a){f(b,a)})},enumerable:!0,configurable:!0};try{b.forEach(function(a){Object.defineProperty(window[a].prototype,'innerHTML',e)})}catch(h){}}else Object.prototype.__defineGetter__&& b.forEach(function(a){window[a].prototype.__defineSetter__('innerHTML',e.set);window[a].prototype.__defineGetter__('innerHTML',e.get)})})(window);
/** * Main JS file with component initialization template for Grunt */ exports.description = 'Create main JS file.'; exports.warnOn = ['main.js', 'js/main.js']; // The actual init template. exports.template = function(grunt, init, done) { var path = require('path'); init.process({}, [], function(err, props) { grunt.util._.defaults(props, init.defaults); // Files to copy (and process). var files = init.filesToCopy(props); // jQuery files['libs/jquery-' + props.jquery_ver + '.min.js'] = 'init/_common/jquery-' + props.jquery_ver + '.min.js'; // Prepend paths with `js/` if we are in parent directory if (path.basename(process.cwd()) !== 'js') { var jsFiles = {}; for (var dest in files) { jsFiles['js/' + dest] = files[dest]; } files = jsFiles; } // Actually copy (and process) files. init.copyAndProcess(files, props); // All done! done(); }); };
var EqualToValidator = require('../Classes/EqualToValidator'); var isEqualTo = function(data, options){ options = (options == null) ? {} : options; var _validator = new EqualToValidator(options); _validator.validate(data); return _validator.isValid() ? true : false; }; module.exports = isEqualTo;
import { Color } from '../math/Color.js'; import { Vector2 } from '../math/Vector2.js'; import { Vector3 } from '../math/Vector3.js'; import { Vector4 } from '../math/Vector4.js'; import { Matrix3 } from '../math/Matrix3.js'; import { Matrix4 } from '../math/Matrix4.js'; import { FileLoader } from './FileLoader.js'; import { Loader } from './Loader.js'; import * as Materials from '../materials/Materials.js'; class MaterialLoader extends Loader { constructor( manager ) { super( manager ); this.textures = {}; } load( url, onLoad, onProgress, onError ) { const scope = this; const loader = new FileLoader( scope.manager ); loader.setPath( scope.path ); loader.setRequestHeader( scope.requestHeader ); loader.setWithCredentials( scope.withCredentials ); loader.load( url, function ( text ) { try { onLoad( scope.parse( JSON.parse( text ) ) ); } catch ( e ) { if ( onError ) { onError( e ); } else { console.error( e ); } scope.manager.itemError( url ); } }, onProgress, onError ); } parse( json ) { const textures = this.textures; function getTexture( name ) { if ( textures[ name ] === undefined ) { console.warn( 'THREE.MaterialLoader: Undefined texture', name ); } return textures[ name ]; } const material = new Materials[ json.type ](); if ( json.uuid !== undefined ) material.uuid = json.uuid; if ( json.name !== undefined ) material.name = json.name; if ( json.color !== undefined && material.color !== undefined ) material.color.setHex( json.color ); if ( json.roughness !== undefined ) material.roughness = json.roughness; if ( json.metalness !== undefined ) material.metalness = json.metalness; if ( json.sheen !== undefined ) material.sheen = new Color().setHex( json.sheen ); if ( json.emissive !== undefined && material.emissive !== undefined ) material.emissive.setHex( json.emissive ); if ( json.specular !== undefined && material.specular !== undefined ) material.specular.setHex( json.specular ); if ( json.shininess !== undefined ) material.shininess = json.shininess; if ( json.clearcoat !== undefined ) material.clearcoat = json.clearcoat; if ( json.clearcoatRoughness !== undefined ) material.clearcoatRoughness = json.clearcoatRoughness; if ( json.transmission !== undefined ) material.transmission = json.transmission; if ( json.thickness !== undefined ) material.thickness = json.thickness; if ( json.attenuationDistance !== undefined ) material.attenuationDistance = json.attenuationDistance; if ( json.attenuationColor !== undefined && material.attenuationColor !== undefined ) material.attenuationColor.setHex( json.attenuationColor ); if ( json.fog !== undefined ) material.fog = json.fog; if ( json.flatShading !== undefined ) material.flatShading = json.flatShading; if ( json.blending !== undefined ) material.blending = json.blending; if ( json.combine !== undefined ) material.combine = json.combine; if ( json.side !== undefined ) material.side = json.side; if ( json.shadowSide !== undefined ) material.shadowSide = json.shadowSide; if ( json.opacity !== undefined ) material.opacity = json.opacity; if ( json.transparent !== undefined ) material.transparent = json.transparent; if ( json.alphaTest !== undefined ) material.alphaTest = json.alphaTest; if ( json.depthTest !== undefined ) material.depthTest = json.depthTest; if ( json.depthWrite !== undefined ) material.depthWrite = json.depthWrite; if ( json.colorWrite !== undefined ) material.colorWrite = json.colorWrite; if ( json.stencilWrite !== undefined ) material.stencilWrite = json.stencilWrite; if ( json.stencilWriteMask !== undefined ) material.stencilWriteMask = json.stencilWriteMask; if ( json.stencilFunc !== undefined ) material.stencilFunc = json.stencilFunc; if ( json.stencilRef !== undefined ) material.stencilRef = json.stencilRef; if ( json.stencilFuncMask !== undefined ) material.stencilFuncMask = json.stencilFuncMask; if ( json.stencilFail !== undefined ) material.stencilFail = json.stencilFail; if ( json.stencilZFail !== undefined ) material.stencilZFail = json.stencilZFail; if ( json.stencilZPass !== undefined ) material.stencilZPass = json.stencilZPass; if ( json.wireframe !== undefined ) material.wireframe = json.wireframe; if ( json.wireframeLinewidth !== undefined ) material.wireframeLinewidth = json.wireframeLinewidth; if ( json.wireframeLinecap !== undefined ) material.wireframeLinecap = json.wireframeLinecap; if ( json.wireframeLinejoin !== undefined ) material.wireframeLinejoin = json.wireframeLinejoin; if ( json.rotation !== undefined ) material.rotation = json.rotation; if ( json.linewidth !== 1 ) material.linewidth = json.linewidth; if ( json.dashSize !== undefined ) material.dashSize = json.dashSize; if ( json.gapSize !== undefined ) material.gapSize = json.gapSize; if ( json.scale !== undefined ) material.scale = json.scale; if ( json.polygonOffset !== undefined ) material.polygonOffset = json.polygonOffset; if ( json.polygonOffsetFactor !== undefined ) material.polygonOffsetFactor = json.polygonOffsetFactor; if ( json.polygonOffsetUnits !== undefined ) material.polygonOffsetUnits = json.polygonOffsetUnits; if ( json.morphTargets !== undefined ) material.morphTargets = json.morphTargets; if ( json.morphNormals !== undefined ) material.morphNormals = json.morphNormals; if ( json.dithering !== undefined ) material.dithering = json.dithering; if ( json.alphaToCoverage !== undefined ) material.alphaToCoverage = json.alphaToCoverage; if ( json.premultipliedAlpha !== undefined ) material.premultipliedAlpha = json.premultipliedAlpha; if ( json.vertexTangents !== undefined ) material.vertexTangents = json.vertexTangents; if ( json.visible !== undefined ) material.visible = json.visible; if ( json.toneMapped !== undefined ) material.toneMapped = json.toneMapped; if ( json.userData !== undefined ) material.userData = json.userData; if ( json.vertexColors !== undefined ) { if ( typeof json.vertexColors === 'number' ) { material.vertexColors = ( json.vertexColors > 0 ) ? true : false; } else { material.vertexColors = json.vertexColors; } } // Shader Material if ( json.uniforms !== undefined ) { for ( const name in json.uniforms ) { const uniform = json.uniforms[ name ]; material.uniforms[ name ] = {}; switch ( uniform.type ) { case 't': material.uniforms[ name ].value = getTexture( uniform.value ); break; case 'c': material.uniforms[ name ].value = new Color().setHex( uniform.value ); break; case 'v2': material.uniforms[ name ].value = new Vector2().fromArray( uniform.value ); break; case 'v3': material.uniforms[ name ].value = new Vector3().fromArray( uniform.value ); break; case 'v4': material.uniforms[ name ].value = new Vector4().fromArray( uniform.value ); break; case 'm3': material.uniforms[ name ].value = new Matrix3().fromArray( uniform.value ); break; case 'm4': material.uniforms[ name ].value = new Matrix4().fromArray( uniform.value ); break; default: material.uniforms[ name ].value = uniform.value; } } } if ( json.defines !== undefined ) material.defines = json.defines; if ( json.vertexShader !== undefined ) material.vertexShader = json.vertexShader; if ( json.fragmentShader !== undefined ) material.fragmentShader = json.fragmentShader; if ( json.extensions !== undefined ) { for ( const key in json.extensions ) { material.extensions[ key ] = json.extensions[ key ]; } } // Deprecated if ( json.shading !== undefined ) material.flatShading = json.shading === 1; // THREE.FlatShading // for PointsMaterial if ( json.size !== undefined ) material.size = json.size; if ( json.sizeAttenuation !== undefined ) material.sizeAttenuation = json.sizeAttenuation; // maps if ( json.map !== undefined ) material.map = getTexture( json.map ); if ( json.matcap !== undefined ) material.matcap = getTexture( json.matcap ); if ( json.alphaMap !== undefined ) material.alphaMap = getTexture( json.alphaMap ); if ( json.bumpMap !== undefined ) material.bumpMap = getTexture( json.bumpMap ); if ( json.bumpScale !== undefined ) material.bumpScale = json.bumpScale; if ( json.normalMap !== undefined ) material.normalMap = getTexture( json.normalMap ); if ( json.normalMapType !== undefined ) material.normalMapType = json.normalMapType; if ( json.normalScale !== undefined ) { let normalScale = json.normalScale; if ( Array.isArray( normalScale ) === false ) { // Blender exporter used to export a scalar. See #7459 normalScale = [ normalScale, normalScale ]; } material.normalScale = new Vector2().fromArray( normalScale ); } if ( json.displacementMap !== undefined ) material.displacementMap = getTexture( json.displacementMap ); if ( json.displacementScale !== undefined ) material.displacementScale = json.displacementScale; if ( json.displacementBias !== undefined ) material.displacementBias = json.displacementBias; if ( json.roughnessMap !== undefined ) material.roughnessMap = getTexture( json.roughnessMap ); if ( json.metalnessMap !== undefined ) material.metalnessMap = getTexture( json.metalnessMap ); if ( json.emissiveMap !== undefined ) material.emissiveMap = getTexture( json.emissiveMap ); if ( json.emissiveIntensity !== undefined ) material.emissiveIntensity = json.emissiveIntensity; if ( json.specularMap !== undefined ) material.specularMap = getTexture( json.specularMap ); if ( json.envMap !== undefined ) material.envMap = getTexture( json.envMap ); if ( json.envMapIntensity !== undefined ) material.envMapIntensity = json.envMapIntensity; if ( json.reflectivity !== undefined ) material.reflectivity = json.reflectivity; if ( json.refractionRatio !== undefined ) material.refractionRatio = json.refractionRatio; if ( json.lightMap !== undefined ) material.lightMap = getTexture( json.lightMap ); if ( json.lightMapIntensity !== undefined ) material.lightMapIntensity = json.lightMapIntensity; if ( json.aoMap !== undefined ) material.aoMap = getTexture( json.aoMap ); if ( json.aoMapIntensity !== undefined ) material.aoMapIntensity = json.aoMapIntensity; if ( json.gradientMap !== undefined ) material.gradientMap = getTexture( json.gradientMap ); if ( json.clearcoatMap !== undefined ) material.clearcoatMap = getTexture( json.clearcoatMap ); if ( json.clearcoatRoughnessMap !== undefined ) material.clearcoatRoughnessMap = getTexture( json.clearcoatRoughnessMap ); if ( json.clearcoatNormalMap !== undefined ) material.clearcoatNormalMap = getTexture( json.clearcoatNormalMap ); if ( json.clearcoatNormalScale !== undefined ) material.clearcoatNormalScale = new Vector2().fromArray( json.clearcoatNormalScale ); if ( json.transmissionMap !== undefined ) material.transmissionMap = getTexture( json.transmissionMap ); if ( json.thicknessMap !== undefined ) material.thicknessMap = getTexture( json.thicknessMap ); return material; } setTextures( value ) { this.textures = value; return this; } } export { MaterialLoader };
import React from 'react'; import renderer from 'react-test-renderer'; import GenericOption from './generic-option'; describe('Form controls - Generic option', () => { test('Should exists with the corresponding template', () => { const props = { value: 'Fake value', className: 'fake-class-name' }; const tree = renderer .create(<GenericOption {...props}>Fake label</GenericOption>) .toJSON(); expect(tree).toMatchSnapshot(); }); });
'use strict'; angular.module('core').controller('HomeController', ['$scope', '$state', 'Authentication', 'RentalhouseCitiesService', function ($scope, $state, Authentication, RentalhouseCitiesService) { // This provides Authentication context. $scope.authentication = Authentication; var vm = this; vm.search_city = ''; vm.cities = RentalhouseCitiesService.query(); vm.search = search; function search() { $state.go('rentalhouses.list', { city: vm.search_city }, { inherit: false }); } } ]);
/*** * _ _____ * | | |____ | * __ _ _ __ _ _ _ __ | |_ ______ __ _ ___ / / * / _` | '__| | | | '_ \| __|______/ _` / __| \ \ * | (_| | | | |_| | | | | |_ | (_| \__ \.___/ / * \__, |_| \__,_|_| |_|\__| \__,_|___/\____/ * __/ | * |___/ * * https://github.com/victorpotasso/grunt-as3 * * Copyright (c) 2014 Victor * Licensed under the MIT license. */ 'use strict'; module.exports = function(grunt) { grunt.registerMultiTask('as3', 'Compile AS3 projects', function() { //console.log(this); // Shell config var shellConfig = null; // Get Flex SDK var SDK = grunt.config.get('flex_sdk'); if( this.args.length > 0 ) { shellConfig = shellConfig == null ? {} : shellConfig; shellConfig[ this.args[0] ] = { command: SDK + "/bin/" + this.target + " " + this.data[ this.args[0] ]["args"].join(" ") } } else { for(var i in this.data) { shellConfig = shellConfig == null ? {} : shellConfig; shellConfig[i] = { command: SDK + "/bin/" + this.target + " " + this.data[i]["args"].join(" ") } } } // Run Shell if(shellConfig != null) { grunt.loadNpmTasks('grunt-shell'); grunt.config('shell', shellConfig); grunt.task.run("shell"); } }); };
"use strict"; define(["p5", "./GraphView.js", "./GraphUtils.js", "/partials/graph_sketcher/graph_preview.html"], function(p5, graphViewBuilder, graphUtils, templateUrl) { return function() { return { scope: { state: "=", questionDoc: "=", }, restrict: "A", templateUrl: templateUrl, link: function(scope, element, _attrs) { let graphPreviewDiv = element.find(".graph-preview"); // if (scope.state.curves == undefined || scope.state.curves == []) { // scope.canvasID = undefined; // } if(typeof scope.canvasID !== "undefined") { scope.canvasID = scope.questionDoc.id; } else { scope.canvasID = 0; } scope.sketch = function(p) { // canvas coefficients let canvasHeight = graphPreviewDiv.height(); let canvasWidth = graphPreviewDiv.width(); let curves; if (typeof scope.state.curves !== "undefined" && scope.state.curves !== []) { curves = scope.state.curves; } else { curves = []; } scope.graphView = new graphViewBuilder.graphView(p); // run in the beginning by p5 library function setup() { p.createCanvas(canvasWidth, canvasHeight); p.noLoop(); p.cursor(p.HAND); reDraw(); } function reDraw() { scope.graphView.drawBackground(canvasWidth, canvasHeight); scope.graphView.drawCurves(curves); } function decodeData(rawData) { let data = graphUtils.clone(rawData); function denormalise(pt) { pt[0] = pt[0] * canvasWidth + canvasWidth/2; pt[1] = canvasHeight/2 - pt[1] * canvasHeight; } function denormalise1(knots) { for (let j = 0; j < knots.length; j++) { let knot = knots[j]; denormalise(knot); if (knot.symbol != undefined) { denormalise(knot.symbol); } } } function denormalise2(knots) { denormalise1(knots); for (let j = 0; j < knots.length; j++) { let knot = knots[j]; if (knot.xSymbol != undefined) { denormalise(knot.xSymbol); } if (knot.ySymbol != undefined) { denormalise(knot.ySymbol); } } } curves = data.curves; for (let i = 0; i < curves.length; i++) { let pts = curves[i].pts; for (let j = 0; j < pts.length; j++) { denormalise(pts[j]); } let interX = curves[i].interX; denormalise1(interX); let interY = curves[i].interY; denormalise1(interY); let maxima = curves[i].maxima; denormalise2(maxima); let minima = curves[i].minima; denormalise2(minima); } reDraw(); } // export p.setup = setup; p.decodeData = decodeData; } function updateGraphPreview() { if (scope.preview == undefined) { scope.preview = new p5(scope.sketch, graphPreviewDiv[0]); } if (scope.state != undefined && scope.state.curves != undefined) { scope.preview.decodeData(scope.state); } } scope.$watch("state", function(_newState, _oldState) { updateGraphPreview(); }) } }; }; });
describe("BancoDoBrasilValidator", function() { var validBankAccountParams; beforeEach(function() { validBankAccountParams = { bankNumber : "001", agencyNumber : "1584", agencyCheckNumber : "9", accountNumber : "00210169", accountCheckNumber : "6", valid: jasmine.createSpy(), invalid: jasmine.createSpy() }; }); describe("validate agency check number", function(){ it("accepts a valid bank account", function() { Moip.BankAccount.validate(validBankAccountParams); expect(validBankAccountParams.valid).toHaveBeenCalled(); }); it("does NOT accept agency check empty", function() { validBankAccountParams.agencyCheckNumber = ""; Moip.BankAccount.validate(validBankAccountParams); var expectedParams = {errors: [{ description: 'O dígito da agência deve conter 1 dígito', code: 'INVALID_AGENCY_CHECK_NUMBER' }] }; expect(validBankAccountParams.invalid).toHaveBeenCalledWith(expectedParams); }); it("does NOT accept agency check greater than one digits", function() { validBankAccountParams.agencyCheckNumber = "12"; Moip.BankAccount.validate(validBankAccountParams); var expectedParams = {errors: [{ description: 'O dígito da agência deve conter 1 dígito', code: 'INVALID_AGENCY_CHECK_NUMBER' }] }; expect(validBankAccountParams.invalid).toHaveBeenCalledWith(expectedParams); }); it("does NOT accept when calc agency check number invalid", function() { validBankAccountParams.agencyCheckNumber = "3"; Moip.BankAccount.validate(validBankAccountParams); var expectedParams = {errors: [{ description: 'Dígito da agência não corresponde ao número da agência preenchido', code: 'AGENCY_CHECK_NUMBER_DONT_MATCH' }] }; expect(validBankAccountParams.invalid).toHaveBeenCalledWith(expectedParams); }); it("does NOT accept when calc account check number invalid", function() { validBankAccountParams.accountCheckNumber = "8"; Moip.BankAccount.validate(validBankAccountParams); var expectedParams = {errors: [{ description: 'Dígito da conta não corresponde ao número da conta/agência preenchido', code: 'ACCOUNT_CHECK_NUMBER_DONT_MATCH' }] }; expect(validBankAccountParams.invalid).toHaveBeenCalledWith(expectedParams); }); }); describe("validate agency number", function(){ it("does NOT accept invalid agency", function() { validBankAccountParams.agencyNumber = "123"; Moip.BankAccount.validate(validBankAccountParams); var expectedParams = { errors: [{ description: 'A agência deve conter 4 números. Complete com zeros a esquerda se necessário.', code: 'INVALID_AGENCY_NUMBER' }]}; expect(validBankAccountParams.invalid).toHaveBeenCalledWith(expectedParams); }); }); });
var empty, get, set, __hasProp = {}.hasOwnProperty; get = Ember.get; set = Ember.set; empty = function(obj) { var key; for (key in obj) { if (!__hasProp.call(obj, key)) continue; return false; } return true; }; export default Ember.Mixin.create({ buffer: null, hasBufferedChanges: false, unknownProperty: function(key) { var buffer; buffer = this.buffer; if (!(buffer != null ? buffer.hasOwnProperty(key) : void 0)) { return this._super(key); } return buffer[key]; }, setUnknownProperty: function(key, value) { var buffer, content, current, previous, _ref; buffer = (_ref = this.buffer) != null ? _ref : set(this, 'buffer', {}); content = this.get("content"); if (content != null) { current = get(content, key); } previous = buffer.hasOwnProperty(key) ? buffer[key] : current; if (previous === value) { return; } this.propertyWillChange(key); if (current === value) { delete buffer[key]; if (empty(buffer)) { this.clearBuffer(); } } else { // make sure that key is model attribute if (get(this, 'bufferable').contains(key)) { set(buffer, key, value); this.set("hasBufferedChanges", true); } else { this._super(key, value); } } this.propertyDidChange(key); return value; }, applyBufferedChanges: function() { var buffer, content, key; buffer = this.buffer; content = this.get("content"); for (key in buffer) { if (!__hasProp.call(buffer, key)) continue; set(content, key, buffer[key]); } return this; }, discardBufferedChanges: function() { var buffer, content, key; buffer = this.buffer; content = this.get("content"); for (key in buffer) { if (!__hasProp.call(buffer, key)) continue; this.propertyWillChange(key); delete buffer[key]; this.propertyDidChange(key); } this.clearBuffer(); return this; }, clearBuffer: function() { set(this, 'buffer', {}); set(this, "hasBufferedChanges", false); } });
/** * @param {number} n * @return {string[]} */ var generateParenthesis = function(n) { var res = []; function generate(left, right, current, result) { if (left === n && right === n) { result.push(current); return; } if (left < right) { return; } if (left === n) { return generate(left, right + 1, current + ')', result); } generate(left + 1, right, current + '(', result); generate(left, right + 1, current + ')', result); } generate(0, 0, '', res); return res; };
/* * jQuery LayerIt UI Widget 1.0 * Copyright 2013 Matt Downs * * https://github.com/mdowns56/layerit * * Depends: * jQuery 1.4.2 * jQuery UI 1.8 widget factory * * Licensed under MIT license.: * http://www.opensource.org/licenses/mit-license.php */ (function($){ $.widget( "mdowns.layerIt", { options: { layers: [], zIndex: 0 }, _create: function() { var o = this.options; //add class and set background color this.element.addClass( "layerIt" ); this.element.css({'background-color':o.bgColor}); //create the layers for(var i=0;i<o.layers.length; i++) { this._createLayer(o.layers[i], o.zIndex + i); } }, _setOption: function( key, value ) { //if the color is set, set the element background if('bgColor' === key) { this.element.css('background-color',value); } this._super( key, value ); }, _setOptions: function( options ) { this._super( options ); }, //gets a layer's index _getLayerIndex: function(name) { //loop through the layers and find the correct one var layers = this.options.layers; //find the layer with the given name for(var i=0; i<layers.length; i++) { var layer = layers[i]; if(!layer || !layer.name) continue; if(name === layer.name){ return i; } } //return -1 if not found return -1; }, //add a layer add: function(layer){ this._addLayer(layer); }, //update a layer update: function(name, layerUpdate){ //find the layer var index = this._getLayerIndex(name); //only update the layer, if it exists if(index >= 0){ //only update what was given $.extend(true,this.options.layers[index].image , layerUpdate); //redraw the layer this._drawLayer(name); } }, //hide a layer hide: function(name) { this._hideLayer(name); }, //show a layer show: function(name) { this._showLayer(name); }, //remove layer remove: function(name) { this._removeLayer(name); }, move: function(name, direction) { var index = this._getLayerIndex(name); if(index < 0) { return; } if(direction == 'forward') { if(index == this.options.layers.length - 1){ return; } index++; } else if(direction == 'back'){ if(index == 0) { return; } index--; } else { throw 'Direction \'' + direction + '\' not supported.'; } this._moveLayer(name,index); }, color: function(value){ this._setOption('bgColor',value); }, //create a layer _createLayer: function(layer, index) { var img = $("<img id='layer_" + layer.name + "'/>").css({position:'absolute',zIndex:index}); this.element.append(img); this._drawLayer(layer.name); }, //hide a layer _hideLayer: function(name) { this._getLayerElement(name).hide(); }, //show a layer _showLayer: function(name) { this._getLayerElement(name).show(); }, //get the element corresponding to the layer _getLayerElement: function(name){ return $("img#layer_"+name); }, //add a layer _addLayer: function(layer) { var index = this._getLayerIndex(layer.name); //check the index if(index >= 0){ return; } //add the layer to the array var layers = this.options.layers; layers.push(layer); //get the index var index = layers.length - 1; //create the layer this._createLayer(layer, index); }, //remove a layer _removeLayer: function(name) { var index = this._getLayerIndex(name); //check the index if(index < 0){ return; } //remove the element from the array this.options.layers.splice(index,1); //remove the DOM element this._getLayerElement(name).remove(); }, //move a layer to a new z-index _moveLayer: function(name, newIndex){ var index = this._getLayerIndex(name); if(index < 0) { return; } var layers = this.options.layers; layers.splice(newIndex, 0, layers.splice(index,1)[0]); this._redrawLayers(); }, //draw a layer _drawLayer: function(name) { var index = this._getLayerIndex(name); //check the index if(index < 0){ return; } //get the layer var layer = this.options.layers[index]; //set the src and css for the image var el = this._getLayerElement(name).attr('src',layer.image.src); if(layer.image.css) { el.css(layer.image.css); } }, //redraw all the layers _redrawLayers: function(){ var layers = this.options.layers; for(var i=0; i< layers.length; i++) { var layer = layers[i]; var css = {zIndex : this.options.zIndex + i}; $.extend(css,layer.image.css); this._getLayerElement(layer.name).attr('src',layer.image.src).css(css); } }, //destroy the widget _destroy: function() { //remove the layerIt class and set the background to transparent this.element.removeClass("layerIt" ); this.element.css({'background-color':'transparent'}); //remove the layers var length = this.options.layers.length; for(var i=0;i<length;i++) { this._removeLayer(i); } } }); })(jQuery);
import chai from 'chai'; import thunk from 'redux-thunk'; import moxios from 'moxios'; import configureMockStore from 'redux-mock-store'; import * as auth from '../../actions/searchAction'; import types from '../../actions/actionTypes'; const expect = chai.expect; const middlewares = [thunk]; const mockStore = configureMockStore(middlewares); describe('searchAction', () => { beforeEach(() => { moxios.install(); }); afterEach(() => { moxios.uninstall(); }); it('should return type and payload on successful user search', () => { const result = [{}]; expect(auth.searchUserSuccess(result)).to.eql({ type: types.SEARCH_USER, result }); }); it('should return type and payload on successful document search', () => { const documents = [{}]; expect(auth.searchDocumentSuccess(documents)).to.eql({ type: types.LIST_DOCUMENT, documents }); }); it('should return type and user search result ', (done) => { const expectedActions = [{ type: 'SEARCH_USER', result: { users: [], pagination: {} } }]; const store = mockStore({ documents: { documents: [], isCreated: false, isCreating: false, isDeleting: false, } }); store.dispatch(auth.searchUser(0, 1)).then(() => { expect(store.getActions()).to.eql(expectedActions); }); moxios.wait(() => { const request = moxios.requests.mostRecent(); request.respondWith({ status: 200, response: { users: [], pagination: {} } }); done(); }); }); it('should return type and document search result', (done) => { const expectedActions = [ { type: 'SEARCH_DOCUMENT', result: { documents: [], pagination: {} } } ]; const store = mockStore({ documents: { documents: [], isCreated: false, isCreating: false, isDeleting: false, } }); store.dispatch(auth.searchDocument(1, {})).then(() => { expect(store.getActions()).to.eql(expectedActions); }); moxios.wait(() => { const request = moxios.requests.mostRecent(); request.respondWith({ status: 200, response: { documents: [], pagination: {} } }); done(); }); }); });
import { message } from 'antd' export const read = (key) => { return localStorage.getItem(key) } export const readObject = (key) => { const text = this.read(key) let obj = {} try { obj = JSON.parse(text) } catch (error) { message.error(error) } return obj } export const write = (key, data) => { localStorage.setItem(key, data) } export const writeObject = (key, data) => { const text = JSON.stringify(data) this.write(key, text) } export const remove = (key) => { localStorage.removeItem(key) }
define(['jquery','datepicker'], function (jQuery) { /* Czech initialisation for the jQuery UI date picker plugin. */ /* Written by Tomas Muller (tomas@tomas-muller.net). */ jQuery(function($){ $.datepicker.regional['cs'] = { closeText: 'Zavřít', prevText: '&#x3C;Dříve', nextText: 'Později&#x3E;', currentText: 'Nyní', monthNames: ['leden','únor','březen','duben','květen','červen', 'červenec','srpen','září','říjen','listopad','prosinec'], monthNamesShort: ['led','úno','bře','dub','kvě','čer', 'čvc','srp','zář','říj','lis','pro'], dayNames: ['neděle', 'pondělí', 'úterý', 'středa', 'čtvrtek', 'pátek', 'sobota'], dayNamesShort: ['ne', 'po', 'út', 'st', 'čt', 'pá', 'so'], dayNamesMin: ['ne','po','út','st','čt','pá','so'], weekHeader: 'Týd', dateFormat: 'dd.mm.yy', firstDay: 1, isRTL: false, showMonthAfterYear: false, yearSuffix: ''}; $.datepicker.setDefaults($.datepicker.regional['cs']); }); });
var Reminder = {}; Reminder.remind = function(params) { if (!params.app || typeof(params.app) !== 'string') { console.log('app is a required parameter, and must be a string!'); } else if (!localStorage.getItem('reminder_sent')) { Pebble.getTimelineToken(function(watchtoken) { var request = new XMLHttpRequest(); request.open('POST', 'https://fletchto99.com/other/pebble/reminder/web/api.php', true); request.setRequestHeader("Content-Type", "application/json;charset=UTF-8"); request.responseType = 'json'; request.onload = function() { if (request.response.status == 0) { console.log('Heart reminder sent!'); localStorage.setItem('reminder_sent', true); } else if(request.response.status == 1) { console.log('Error setting heart reminder.') } }; request.send(JSON.stringify({ app:params.app, usertoken:watchtoken, message: params.message || '', time: params.time || '' })); }, function() { console.log('Error retrieving timeline token. Ensure timeline is enabled in your settings!') }); } else { console.log('Reminder already sent!') } };
import React, { PropTypes, Component } from "react"; import { Button, DropdownButton, Glyphicon, MenuItem } from "react-bootstrap"; class OpeningActionMenu extends Component { render( ) { return ( <div className="intro"> <div className="start"> <div className="drag_or_choose"> <h1>{ I18n.t( "drag_and_drop_some_photos_or_sounds" ) }</h1> <p>{ I18n.t( "or" ) }</p> <Button bsStyle="primary" bsSize="large" onClick={ this.props.fileChooser }> { I18n.t( "choose_files" ) } <Glyphicon glyph="upload" /> </Button> </div> <DropdownButton bsStyle="default" title={ I18n.t( "more_import_options" ) } id="more_imports" > <MenuItem href="/observations/import#photo_import"> { I18n.t( "from_flickr_facebook_etc" ) } </MenuItem> <MenuItem href="/observations/import#sound_import"> { I18n.t( "from_soundcloud" ) } </MenuItem> <MenuItem divider /> <MenuItem href="/observations/import#csv_import"> { I18n.t( "csv" ) } </MenuItem> <MenuItem href="/observations/new"> { I18n.t( "old_observation_form" ) } </MenuItem> </DropdownButton> </div> <div className="hover"> <p>{ I18n.t( "drop_it" ) }</p> </div> </div> ); } } OpeningActionMenu.propTypes = { fileChooser: PropTypes.func }; export default OpeningActionMenu;
'use strict'; const _ = require('underscore'); const app = require('express')(); const Analytics = require('analytics-node'); const { secrets } = require('app/config/config'); const { guid } = require('./users'); const segmentKey = process.env.SEGMENT_WRITE_KEY || secrets.segmentKey; const env = process.env.ANALYTICS_ENV || app.get('env'); let analytics; // Flush events immediately if on dev environment if (env !== 'production') { analytics = new Analytics(segmentKey, { flushAt: 1 }); } else { analytics = new Analytics(segmentKey); } function generateOpts(req) { const user = req.user || req.anonymousUser; const { id: userId, anonymousId } = user; let opts = userId ? { userId } : { anonymousId }; // Log the environment to differentiate events from production vs dev opts.properties = { environment: env, platform: 'Web' }; return opts; } module.exports = { // https://segment.com/docs/sources/server/node/#identify identify(req) { let opts = generateOpts(req); if (req.user) { const { email, name, username } = req.user; opts.traits = { email, name, username }; } analytics.identify(opts); }, // https://segment.com/docs/sources/server/node/#track track(req, event, properties) { let opts = _.extend(generateOpts(req), { event }); _.extend(opts.properties, properties); analytics.track(opts); }, // https://segment.com/docs/sources/server/node/#page page(req, category, name, properties) { let opts = _.extend(generateOpts(req), { category, name }); _.extend(opts.properties, properties); analytics.page(opts); }, // https://segment.com/docs/sources/server/node/#alias alias(req) { const { id: userId } = req.user; const { anonymousId: previousId } = req.anonymousUser; analytics.alias({ previousId, userId }); } };
/* Copyright 2013, KISSY UI Library v1.40dev MIT Licensed build time: Jul 3 13:51 */ /* Combined processedModules by KISSY Module Compiler: editor/plugin/dent-cmd */ /** * Add indent and outdent command identifier for KISSY Editor.Modified from CKEditor * @author yiminghe@gmail.com */ /* Copyright (c) 2003-2010, CKSource - Frederico Knabben. All rights reserved. For licensing, see LICENSE.html or http://ckeditor.com/license */ KISSY.add("editor/plugin/dent-cmd", function (S, Editor, ListUtils) { var listNodeNames = {ol:1, ul:1}, Walker = Editor.Walker, Dom = S.DOM, Node = S.Node, UA = S.UA, isNotWhitespaces = Walker.whitespaces(true), INDENT_CSS_PROPERTY = "margin-left", INDENT_OFFSET = 40, INDENT_UNIT = "px", isNotBookmark = Walker.bookmark(false, true); function isListItem(node) { return node.nodeType == Dom.NodeType.ELEMENT_NODE && Dom.nodeName(node) == 'li'; } function indentList(range, listNode, type) { // Our starting and ending points of the range might be inside some blocks under a list item... // So before playing with the iterator, we need to expand the block to include the list items. var startContainer = range.startContainer, endContainer = range.endContainer; while (startContainer && !startContainer.parent().equals(listNode)) startContainer = startContainer.parent(); while (endContainer && !endContainer.parent().equals(listNode)) endContainer = endContainer.parent(); if (!startContainer || !endContainer) return; // Now we can iterate over the individual items on the same tree depth. var block = startContainer, itemsToMove = [], stopFlag = false; while (!stopFlag) { if (block.equals(endContainer)) stopFlag = true; itemsToMove.push(block); block = block.next(); } if (itemsToMove.length < 1) return; // Do indent or outdent operations on the array model of the list, not the // list's Dom tree itself. The array model demands that it knows as much as // possible about the surrounding lists, we need to feed it the further // ancestor node that is still a list. var listParents = listNode._4e_parents(true, undefined); listParents.each(function (n, i) { listParents[i] = n; }); for (var i = 0; i < listParents.length; i++) { if (listNodeNames[ listParents[i].nodeName() ]) { listNode = listParents[i]; break; } } var indentOffset = type == 'indent' ? 1 : -1, startItem = itemsToMove[0], lastItem = itemsToMove[ itemsToMove.length - 1 ], database = {}; // Convert the list Dom tree into a one dimensional array. var listArray = ListUtils.listToArray(listNode, database); // Apply indenting or outdenting on the array. // listarray_index 为 item 在数组中的下标,方便计算 var baseIndent = listArray[ lastItem.data('listarray_index') ].indent; for (i = startItem.data('listarray_index'); i <= lastItem.data('listarray_index'); i++) { listArray[ i ].indent += indentOffset; // Make sure the newly created sublist get a brand-new element of the same type. (#5372) var listRoot = listArray[ i ].parent; listArray[ i ].parent = new Node(listRoot[0].ownerDocument.createElement(listRoot.nodeName())); } /* 嵌到下层的li <li>鼠标所在开始</li> <li>ss鼠标所在结束ss <ul> <li></li> <li></li> </ul> </li> baseIndent 为鼠标所在结束的嵌套层次, 如果下面的比结束li的indent大,那么证明是嵌在结束li里面的,也要缩进 一直处理到大于或等于,跳出了当前嵌套 */ for (i = lastItem.data('listarray_index') + 1; i < listArray.length && listArray[i].indent > baseIndent; i++) listArray[i].indent += indentOffset; // Convert the array back to a Dom forest (yes we might have a few subtrees now). // And replace the old list with the new forest. var newList = ListUtils.arrayToList(listArray, database, null, "p"); // Avoid nested <li> after outdent even they're visually same, // recording them for later refactoring.(#3982) var pendingList = []; if (type == 'outdent') { var parentLiElement; if (( parentLiElement = listNode.parent() ) && parentLiElement.nodeName() == 'li') { var children = newList.listNode.childNodes , count = children.length, child; for (i = count - 1; i >= 0; i--) { if (( child = new Node(children[i]) ) && child.nodeName() == 'li') pendingList.push(child); } } } if (newList) { Dom.insertBefore(newList.listNode[0] || newList.listNode, listNode[0] || listNode); listNode.remove(); } // Move the nested <li> to be appeared after the parent. if (pendingList && pendingList.length) { for (i = 0; i < pendingList.length; i++) { var li = pendingList[ i ], followingList = li; // Nest preceding <ul>/<ol> inside current <li> if any. while (( followingList = followingList.next() ) && followingList.nodeName() in listNodeNames) { // IE requires a filler NBSP for nested list inside empty list item, // otherwise the list item will be inaccessiable. (#4476) if (UA['ie'] && !li.first(function (node) { return isNotWhitespaces(node) && isNotBookmark(node); },1)) { li[0].appendChild(range.document.createTextNode('\u00a0')); } li[0].appendChild(followingList[0]); } Dom.insertAfter(li[0], parentLiElement[0]); } } // Clean up the markers. Editor.Utils.clearAllMarkers(database); } function indentBlock(range, type) { var iterator = range.createIterator(), block; // enterMode = "p"; iterator.enforceRealBlocks = true; iterator.enlargeBr = true; while (block = iterator.getNextParagraph()) { indentElement(block, type); } } function indentElement(element, type) { var currentOffset = parseInt(element.style(INDENT_CSS_PROPERTY), 10); if (isNaN(currentOffset)) { currentOffset = 0; } currentOffset += ( type == 'indent' ? 1 : -1 ) * INDENT_OFFSET; if (currentOffset < 0) { return false; } currentOffset = Math.max(currentOffset, 0); currentOffset = Math.ceil(currentOffset / INDENT_OFFSET) * INDENT_OFFSET; element.css(INDENT_CSS_PROPERTY, currentOffset ? currentOffset + INDENT_UNIT : ''); if (element[0].style.cssText === '') { element.removeAttr('style'); } return true; } function indentEditor(editor, type) { var selection = editor.getSelection(), range = selection && selection.getRanges()[0]; if (!range) { return; } var startContainer = range.startContainer, endContainer = range.endContainer, rangeRoot = range.getCommonAncestor(), nearestListBlock = rangeRoot; while (nearestListBlock && !( nearestListBlock[0].nodeType == Dom.NodeType.ELEMENT_NODE && listNodeNames[ nearestListBlock.nodeName() ] )) { nearestListBlock = nearestListBlock.parent(); } // Avoid selection anchors under list root. // <ul>[<li>...</li>]</ul> => <ul><li>[...]</li></ul> //注:firefox 永远不会出现 //注2:哪种情况会出现? if (nearestListBlock && startContainer[0].nodeType == Dom.NodeType.ELEMENT_NODE && startContainer.nodeName() in listNodeNames) { //S.log("indent from ul/ol"); var walker = new Walker(range); walker.evaluator = isListItem; range.startContainer = walker.next(); } if (nearestListBlock && endContainer[0].nodeType == Dom.NodeType.ELEMENT_NODE && endContainer.nodeName() in listNodeNames) { walker = new Walker(range); walker.evaluator = isListItem; range.endContainer = walker.previous(); } var bookmarks = selection.createBookmarks(true); if (nearestListBlock) { var firstListItem = nearestListBlock.first(); while (firstListItem && firstListItem.nodeName() != "li") { firstListItem = firstListItem.next(); } var rangeStart = range.startContainer, indentWholeList = firstListItem[0] == rangeStart[0] || firstListItem.contains(rangeStart); // Indent the entire list if cursor is inside the first list item. (#3893) if (!( indentWholeList && indentElement(nearestListBlock, type) )) { indentList(range, nearestListBlock, type); } } else { indentBlock(range, type); } selection.selectBookmarks(bookmarks); } function addCommand(editor, cmdType) { if (!editor.hasCommand(cmdType)) { editor.addCommand(cmdType, { exec:function (editor) { editor.execCommand("save"); indentEditor(editor, cmdType); editor.execCommand("save"); editor.notifySelectionChange(); } }); } } return { checkOutdentActive:function (elementPath) { var blockLimit = elementPath.blockLimit; if (elementPath.contains(listNodeNames)) { return true; } else { var block = elementPath.block || blockLimit; return block && block.style(INDENT_CSS_PROPERTY); } }, addCommand:addCommand }; }, { requires:['editor', './list-utils'] });
api.equinox.com/member [ { } ]
/** * Created by Toure on 29/03/15. */ if (!Date.prototype.toISOString) { (function() { function pad(number) { if (number < 10) { return '0' + number; } return number; } Date.prototype.toISOString = function() { return this.getUTCFullYear() + '-' + pad(this.getUTCMonth() + 1) + '-' + pad(this.getUTCDate()) + 'T' + pad(this.getUTCHours()) + ':' + pad(this.getUTCMinutes()) + ':' + pad(this.getUTCSeconds()) + '.' + (this.getUTCMilliseconds() / 1000).toFixed(3).slice(2, 5) + 'Z'; }; }()); }
'use strict'; Meteor.methods({ customerInactive: function(customer) { check(customer, Object); if(!Meteor.userId()) { throw new Meteor.Error('not-authorized'); } db.customers.update(customer._id, { $set: { active: false }, }); var house = db.houses.findOne({ address: customer.house, user: Meteor.userId() })._id; db.houses.update(house, { $set: { isRented: false }, }); if(Meteor.isServer) { SyncedCron.remove('Charge rent to ' + customer._id); } } });
const watch = require('node-watch') const execa = require('execa') watch('src', { recursive: true }, async (evt, name) => { await execa('npm', ['run', 'build', '-s'], { stdio: 'inherit' }) })
module.exports = { onInput: function (input) { this.state = { name: input.name, age: input.age, url: input.url }; }, setName: function (newName) { this.setState("name", newName); }, setAge: function (newAge) { this.setState("age", newAge); }, setUrl: function (newUrl) { this.setState("url", newUrl); } };
/* * grunt-zobei-template * https://github.com/Administrator/tcompile * * Copyright (c) 2013 bubusy * Licensed under the MIT license. */ 'use strict'; module.exports = function(grunt) { // Project configuration. grunt.initConfig({ zobei_template: { default_test: { files: { 'test/test.js': 'test/test.tpl' }, }, }, }); grunt.loadTasks('tasks'); grunt.registerTask('test', ['zobei_template']); grunt.registerTask('default', ['test']); };
// All code points in the Mro block as per Unicode v9.0.0: [ 0x16A40, 0x16A41, 0x16A42, 0x16A43, 0x16A44, 0x16A45, 0x16A46, 0x16A47, 0x16A48, 0x16A49, 0x16A4A, 0x16A4B, 0x16A4C, 0x16A4D, 0x16A4E, 0x16A4F, 0x16A50, 0x16A51, 0x16A52, 0x16A53, 0x16A54, 0x16A55, 0x16A56, 0x16A57, 0x16A58, 0x16A59, 0x16A5A, 0x16A5B, 0x16A5C, 0x16A5D, 0x16A5E, 0x16A5F, 0x16A60, 0x16A61, 0x16A62, 0x16A63, 0x16A64, 0x16A65, 0x16A66, 0x16A67, 0x16A68, 0x16A69, 0x16A6A, 0x16A6B, 0x16A6C, 0x16A6D, 0x16A6E, 0x16A6F ];
import fileExtensions from '../../file-extensions' export default { name: 'image', configure ({ action }) { return { module: { rules: [ { test: fileExtensions.test.IMAGE, use: [ { loader: 'url-loader', options: { limit: 8192, name: '[name]-[hash].[ext]' } } ] } ] } } } }
/*! FixedHeader 3.1.2 ©2009-2016 SpryMedia Ltd - datatables.net/license */ (function(d){"function"===typeof define&&define.amd?define(["jquery","datatables.net"],function(g){return d(g,window,document)}):"object"===typeof exports?module.exports=function(g,h){g||(g=window);if(!h||!h.fn.dataTable)h=require("datatables.net")(g,h).$;return d(h,g,g.document)}:d(jQuery,window,document)})(function(d,g,h,k){var j=d.fn.dataTable,l=0,i=function(b,a){if(!(this instanceof i))throw"FixedHeader must be initialised with the 'new' keyword.";!0===a&&(a={});b=new j.Api(b);this.c=d.extend(!0, {},i.defaults,a);this.s={dt:b,position:{theadTop:0,tbodyTop:0,tfootTop:0,tfootBottom:0,width:0,left:0,tfootHeight:0,theadHeight:0,windowHeight:d(g).height(),visible:!0},headerMode:null,footerMode:null,autoWidth:b.settings()[0].oFeatures.bAutoWidth,namespace:".dtfc"+l++,scrollLeft:{header:-1,footer:-1},enable:!0};this.dom={floatingHeader:null,thead:d(b.table().header()),tbody:d(b.table().body()),tfoot:d(b.table().footer()),header:{host:null,floating:null,placeholder:null},footer:{host:null,floating:null, placeholder:null}};this.dom.header.host=this.dom.thead.parent();this.dom.footer.host=this.dom.tfoot.parent();var e=b.settings()[0];if(e._fixedHeader)throw"FixedHeader already initialised on table "+e.nTable.id;e._fixedHeader=this;this._constructor()};d.extend(i.prototype,{enable:function(b){this.s.enable=b;this.c.header&&this._modeChange("in-place","header",!0);this.c.footer&&this.dom.tfoot.length&&this._modeChange("in-place","footer",!0);this.update()},headerOffset:function(b){b!==k&&(this.c.headerOffset= b,this.update());return this.c.headerOffset},footerOffset:function(b){b!==k&&(this.c.footerOffset=b,this.update());return this.c.footerOffset},update:function(){this._positions();this._scroll(!0)},_constructor:function(){var b=this,a=this.s.dt;d(g).on("scroll"+this.s.namespace,function(){b._scroll()}).on("resize"+this.s.namespace,function(){b.s.position.windowHeight=d(g).height();b.update()});var e=d(".fh-fixedHeader");!this.c.headerOffset&&e.length&&(this.c.headerOffset=e.outerHeight());e=d(".fh-fixedFooter"); !this.c.footerOffset&&e.length&&(this.c.footerOffset=e.outerHeight());a.on("column-reorder.dt.dtfc column-visibility.dt.dtfc draw.dt.dtfc column-sizing.dt.dtfc",function(){b.update()});a.on("destroy.dtfc",function(){a.off(".dtfc");d(g).off(b.s.namespace)});this._positions();this._scroll()},_clone:function(b,a){var e=this.s.dt,c=this.dom[b],f="header"===b?this.dom.thead:this.dom.tfoot;!a&&c.floating?c.floating.removeClass("fixedHeader-floating fixedHeader-locked"):(c.floating&&(c.placeholder.remove(), this._unsize(b),c.floating.children().detach(),c.floating.remove()),c.floating=d(e.table().node().cloneNode(!1)).css("table-layout","fixed").removeAttr("id").append(f).appendTo("body"),c.placeholder=f.clone(!1),c.host.prepend(c.placeholder),this._matchWidths(c.placeholder,c.floating))},_matchWidths:function(b,a){var e=function(a){return d(a,b).map(function(){return d(this).width()}).toArray()},c=function(b,c){d(b,a).each(function(a){d(this).css({width:c[a],minWidth:c[a]})})},f=e("th"),e=e("td");c("th", f);c("td",e)},_unsize:function(b){var a=this.dom[b].floating;a&&("footer"===b)?d("th, td",a).css({width:"",minWidth:""}):a&&"header"===b&&d("th, td",a).css("min-width","")},_horizontal:function(b,a){var e=this.dom[b],c=this.s.position,d=this.s.scrollLeft;e.floating&&d[b]!==a&&(e.floating.css("left",c.left-a),d[b]=a)},_modeChange:function(b,a,e){var c=this.dom[a],f=this.s.position,g=d.contains(this.dom["footer"===a?"tfoot":"thead"][0],h.activeElement)?h.activeElement: null;if("in-place"===b){if(c.placeholder&&(c.placeholder.remove(),c.placeholder=null),this._unsize(a),"header"===a?c.host.prepend(this.dom.thead):c.host.append(this.dom.tfoot),c.floating)c.floating.remove(),c.floating=null}else"in"===b?(this._clone(a,e),c.floating.addClass("fixedHeader-floating").css("header"===a?"top":"bottom",this.c[a+"Offset"]).css("left",f.left+"px").css("width",f.width+"px"),"footer"===a&&c.floating.css("top","")):"below"===b?(this._clone(a,e),c.floating.addClass("fixedHeader-locked").css("top", f.tfootTop-f.theadHeight).css("left",f.left+"px").css("width",f.width+"px")):"above"===b&&(this._clone(a,e),c.floating.addClass("fixedHeader-locked").css("top",f.tbodyTop).css("left",f.left+"px").css("width",f.width+"px"));g&&g!==h.activeElement&&g.focus();this.s.scrollLeft.header=-1;this.s.scrollLeft.footer=-1;this.s[a+"Mode"]=b},_positions:function(){var b=this.s.dt.table(),a=this.s.position,e=this.dom,b=d(b.node()),c=b.children("thead"),f=b.children("tfoot"),e=e.tbody;a.visible=b.is(":visible"); a.width=b.outerWidth();a.left=b.offset().left;a.theadTop=c.offset().top;a.tbodyTop=e.offset().top;a.theadHeight=a.tbodyTop-a.theadTop;f.length?(a.tfootTop=f.offset().top,a.tfootBottom=a.tfootTop+f.outerHeight(),a.tfootHeight=a.tfootBottom-a.tfootTop):(a.tfootTop=a.tbodyTop+e.outerHeight(),a.tfootBottom=a.tfootTop,a.tfootHeight=a.tfootTop)},_scroll:function(b){var a=d(h).scrollTop(),e=d(h).scrollLeft(),c=this.s.position,f;if(this.s.enable&&(this.c.header&&(f=!c.visible||a<=c.theadTop-this.c.headerOffset? "in-place":a<=c.tfootTop-c.theadHeight-this.c.headerOffset?"in":"below",(b||f!==this.s.headerMode)&&this._modeChange(f,"header",b),this._horizontal("header",e)),this.c.footer&&this.dom.tfoot.length))a=!c.visible||a+c.windowHeight>=c.tfootBottom+this.c.footerOffset?"in-place":c.windowHeight+a>c.tbodyTop+c.tfootHeight+this.c.footerOffset?"in":"above",(b||a!==this.s.footerMode)&&this._modeChange(a,"footer",b),this._horizontal("footer",e)}});i.version="3.1.2";i.defaults={header:!0,footer:!1,headerOffset:0, footerOffset:0};d.fn.dataTable.FixedHeader=i;d.fn.DataTable.FixedHeader=i;d(h).on("init.dt.dtfh",function(b,a){if("dt"===b.namespace){var e=a.oInit.fixedHeader,c=j.defaults.fixedHeader;if((e||c)&&!a._fixedHeader)c=d.extend({},c,e),!1!==e&&new i(a,c)}});j.Api.register("fixedHeader()",function(){});j.Api.register("fixedHeader.adjust()",function(){return this.iterator("table",function(b){(b=b._fixedHeader)&&b.update()})});j.Api.register("fixedHeader.enable()",function(b){return this.iterator("table", function(a){(a=a._fixedHeader)&&a.enable(b!==k?b:!0)})});j.Api.register("fixedHeader.disable()",function(){return this.iterator("table",function(b){(b=b._fixedHeader)&&b.enable(!1)})});d.each(["header","footer"],function(b,a){j.Api.register("fixedHeader."+a+"Offset()",function(b){var c=this.context;return b===k?c.length&&c[0]._fixedHeader?c[0]._fixedHeader[a+"Offset"]():k:this.iterator("table",function(c){if(c=c._fixedHeader)c[a+"Offset"](b)})})});return i});
exports = module.exports = function() { return '<meta charset="utf-8">' + '<meta http-equiv="X-UA-Compatible" content="IE=edge">' + '<meta name="viewport" content="width=device-width, initial-scale=1">' + '<meta name="description" content="A Basic Online Portfolio">' + '<meta name="author" content="Piyush Madhusudan">' + '<link rel="stylesheet" href="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.7/css/bootstrap.min.css" integrity="sha384-BVYiiSIFeK1dGmJRAkycuHAHRg32OmUcww7on3RYdg4Va+PmSTsz/K68vbdEjh4u" crossorigin="anonymous">' + '<link href="https://maxcdn.bootstrapcdn.com/font-awesome/4.7.0/css/font-awesome.min.css" rel="stylesheet" integrity="sha384-wvfXpqpZZVQGK6TAh5PVlGOfQNHSoD2xbE+QkPxCAFlNEevoEH3Sl0sibVcOQVnN" crossorigin="anonymous">' + '<link href="css/basic.css" rel="stylesheet">' + '<link href="css/navbar.css" rel="stylesheet">' + '<< whatyalisten >>' + '<script src="https://ajax.googleapis.com/ajax/libs/jquery/3.1.0/jquery.min.js"></script>' + '<script src="https://ajax.googleapis.com/ajax/libs/jqueryui/1.12.1/jquery-ui.min.js"></script>' + '<script src="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.7/js/bootstrap.min.js" integrity="sha384-Tc5IQib027qvyjSMfHjOMaLkfuWVxZxUPnCJA7l2mCWNIpG9mGCD8wGNIcPD7Txa" crossorigin="anonymous"></script>'; };
var Mode = { Display: 0, Edit: 1 }; var TicketType = { Free: "0", Paid: "1", Donation: "2" }; var TicketEvent = function () { this.Id = null; this.Name = ""; this.Quantity = 0; this.Price = 0; this.Description = ""; this.IsShowDescription = true; this.SaleChanel = 0; this.MinimunTicketOrder = 1; this.MaximunTicketOrder = 10; this.StartSaleDateTime = null this.EndSaleDateTime = null; this.Type = 0; } var EventManagement = EventManagement || {}; EventManagement = { init: function () { // support ajax to upload images window.addEventListener("submit", function (e) { EventManagement.showSpin(); var form = e.target; if (form.getAttribute("enctype") === "multipart/form-data") { if (form.dataset.ajax) { e.preventDefault(); e.stopImmediatePropagation(); var xhr = new XMLHttpRequest(); xhr.open(form.method, form.action); xhr.onreadystatechange = function () { if (xhr.readyState == 4 && xhr.status == 200) { if (form.dataset.ajaxUpdate) { var updateTarget = document.querySelector(form.dataset.ajaxUpdate); if (updateTarget) { updateTarget.innerHTML = xhr.responseText; EventManagement.hideSpin(); } } } }; xhr.send(new FormData(form)); } } }, true); // Init spin this.controls.spin = new Spinner({ lines: 13 // The number of lines to draw , length: 28 // The length of each line , width: 14 // The line thickness , radius: 42 // The radius of the inner circle , scale: 1 // Scales overall size of the spinner , corners: 1 // Corner roundness (0..1) , color: '#000' // #rgb or #rrggbb or array of colors , opacity: 0.25 // Opacity of the lines , rotate: 0 // The rotation offset , direction: 1 // 1: clockwise, -1: counterclockwise , speed: 1 // Rounds per second , trail: 60 // Afterglow percentage , fps: 20 // Frames per second when using setTimeout() as a fallback for CSS , zIndex: 2e9 // The z-index (defaults to 2000000000) , className: 'spinner' // The CSS class to assign to the spinner , top: '50%' // Top position relative to parent , left: '50%' // Left position relative to parent , shadow: true // Whether to render a shadow , hwaccel: false // Whether to use hardware acceleration , position: 'fixed' // Element positioning }).spin(); this.bindEventForElement(); this.initElement(); // bind events //$("#Btn_UploadImage").unbind("click").bind("click", EventManagement.upLoadImage) }, controls: { spin: null }, constants:{ datetimeFormat:"dd/MM/yyyy hh:mm:ss" }, bindEventForElement:function(){ // Bind event for element in form $("#add-ticket-button").unbind("click").bind("click", $.proxy(this.onCreateTicket, this)); $("#TicketType").unbind("change").bind("change", $.proxy(this.removeAllTicket, this)); $("#UpdateCoverImage").unbind("click").bind("click", function () { event.preventDefault(); var requestData = new FormData(); // get cover image file var totalFiles = document.getElementById("CoverImage").files.length; for (var i = 0; i < totalFiles; i++) { var file = document.getElementById("CoverImage").files[i]; requestData.append("coverImage", file); } var eventId = $("#EventId").val(); requestData.append("eventId", eventId); $.ajax({ url: '/Admin/Event/UpdateCoverImage', data: requestData, type: 'POST', contentType: false, processData: false, success: function (data) { if (data.success) { $("#EventCoverImage").attr("src", data.newImagePath); } else { } }, error: function () { alert("Update cover image fail!"); } }); }); $("#UpdateCoverImageClientSide").unbind("click").bind("click", function () { event.preventDefault(); var requestData = new FormData(); // get cover image file var totalFiles = document.getElementById("CoverImage").files.length; for (var i = 0; i < totalFiles; i++) { var file = document.getElementById("CoverImage").files[i]; requestData.append("coverImage", file); } var eventId = $("#EventId").val(); requestData.append("eventId", eventId); debugger $.ajax({ url: '/Event/UpdateCoverImage', data: requestData, type: 'POST', contentType: false, processData: false, success: function (data) { debugger if (data.success) { $("#EventCoverImage").attr("src", data.newImagePath); } else { } }, error: function () { alert("Update cover image fail!"); } }); }); $("#Btn_ResetAddressPanel").unbind("click").bind("click", function () { EventManagement.updateModeLocationPanel(true); }); $("#Btn_EnableDetailAddressPanel").unbind("click").bind("click", function () { EventManagement.updateModeLocationPanel(false); }); $('#event_form').submit(function (event) { if (this.checkValidity()) { EventManagement.updateEvent('/Admin/Event/Edit', "/Admin/Event/Index"); } else { EventManagement.showAllErrorMessages($('#event_form')); } event.preventDefault(); }); $('#updateevent_form').submit(function (event) { debugger if (this.checkValidity()) { EventManagement.updateEvent('/Event/EditEvent', "/UserResources/EventManagement"); } else { EventManagement.showAllErrorMessages($('#updateevent_form')); } event.preventDefault(); }); }, initElement: function () { ////////////// // Init controls in create/edit event form ///////////// // init CKEditor CKEDITOR.replace('Description'); CKEDITOR.replace('OrganizationDescription'); onDateTimeChange = function (currentDateTime) { console.log(currentDateTime); }; // init date picker $('#Event_StartDate_Dpk').datetimepicker({ //onChangeDateTime: onDateTimeChange, format: "d/m/Y H:i:s", //mask: true, onShow: function (ct) { //this.setOptions({ // maxDate: $('#Event_EndDate_Dpk').val() ? $('#Event_EndDate_Dpk').val() : false, // maxTime: $('#Event_EndDate_Dpk').val() ? $('#Event_EndDate_Dpk').val() : false //}) }, timepicker: true }); $('#Event_EndDate_Dpk').datetimepicker({ format: "d/m/Y H:i:s", //mask: true, onShow: function (ct) { //this.setOptions({ // minDate: $('#Event_StartDate_Dpk').val() ? $('#Event_StartDate_Dpk').val() : false, // minTime: $('#Event_StartDate_Dpk').val() ? $('#Event_StartDate_Dpk').val() : false //}) }, timepicker: true }); this.initControlForTicketForms(); }, googleApiCallBackFunction: function () { /// <summary> /// This function will be call when google api ready for use /// </summary> /// <param>N/A</param> /// <returns>N/A</returns> EventManagement.init(); EventManagement.initLocationAutoComplete(); }, initLocationAutoComplete: function () { // Create location searchbox and map //var map = new google.maps.Map(document.getElementById('LocationMap'), { // //center: { lat: -33.8688, lng: 151.2195 }, // zoom: 13, // mapTypeId: 'roadmap' //}); // Create the search box and link it to the UI element. var input = document.getElementById("Location_AutoComplete"); var searchBox = new google.maps.places.SearchBox(input); // Bias the SearchBox results towards current map's viewport. //map.addListener('bounds_changed', function () { // searchBox.setBounds(map.getBounds()); //}); //var markers = []; // Listen for the event fired when the user selects a prediction and retrieve // more details for that place. searchBox.addListener('places_changed', function () { var places = searchBox.getPlaces(); if (places.length == 0) { return; } if (places.length > 0) { var address = EventManagement.getAddressDetails(places[0]); EventManagement.updateAddressDetailsLayout(address); EventManagement.updateModeLocationPanel(false); } // Clear out the old markers. //markers.forEach(function (marker) { // marker.setMap(null); //}); //markers = []; // For each place, get the icon, name and location. //var bounds = new google.maps.LatLngBounds(); //places.forEach(function (place) { // if (!place.geometry) { // console.log("Returned place contains no geometry"); // return; // } // var icon = { // url: place.icon, // size: new google.maps.Size(71, 71), // origin: new google.maps.Point(0, 0), // anchor: new google.maps.Point(17, 34), // scaledSize: new google.maps.Size(25, 25) // }; // // Create a marker for each place. // markers.push(new google.maps.Marker({ // map: map, // icon: icon, // title: place.name, // position: place.geometry.location // })); // if (place.geometry.viewport) { // // Only geocodes have viewport. // bounds.union(place.geometry.viewport); // } else { // bounds.extend(place.geometry.location); // } //}); //map.fitBounds(bounds); }); $(input).unbind("focus").bind("focus", function () { $(this).val(""); }); }, getAddressDetails: function (arrAddress) { /// <summary> /// Filter returned data to get address /// </summary> /// <param>N/A</param> /// <returns>N/A</returns> var resultAddress = { Address1:{ long_name: "", short_name: "" }, City: { long_name: "", short_name: "" }, State:{ long_name: "", short_name: "" }, Country: { long_name: "", short_name: "" }, }; $.each(arrAddress.address_components, function (i, address_component) { if (address_component.types[0] == "country") { console.log("country:" + address_component.long_name); resultAddress.Country.short_name = address_component.short_name; resultAddress.Country.long_name = address_component.long_name; } if (address_component.types[0] == "administrative_area_level_1") { console.log("state:" + address_component.long_name); resultAddress.State.short_name = address_component.short_name; resultAddress.State.long_name = address_component.long_name; } if (address_component.types[0] == "administrative_area_level_2") { console.log("city:" + address_component.long_name); resultAddress.City.short_name = address_component.short_name; resultAddress.City.long_name = address_component.long_name; } if (address_component.types[0] == "route") { console.log("route:" + address_component.long_name); resultAddress.Address1.short_name = resultAddress.Address1.short_name+ " " + address_component.short_name; resultAddress.Address1.long_name = resultAddress.Address1.long_name + " " + address_component.long_name; } if (address_component.types[0] == "street_number") { console.log("street_number:" + address_component.long_name); resultAddress.Address1.short_name = address_component.short_name + " " + resultAddress.Address1.short_name; resultAddress.Address1.long_name = address_component.long_name + " " + resultAddress.Address1.long_name; } }); return resultAddress; }, updateAddressDetailsLayout:function(address){ // Update value for controls, which using for show address details this.model.Location_StreetName = ""; $("#Location_StreetName").val(""); this.model.Location_Address = address.Address1.long_name; $("#Location_Address").val(address.Address1.long_name || ""); this.model.Location_Address2 = ""; $("#Location_Address2").val(""); this.model.Location_City = address.City.long_name; $("#Location_City").val(address.City.long_name || ""); this.model.Location_State = address.State.long_name; $("#Location_State").val(address.State.long_name || ""); this.model.ZipCode = ""; $("#Location_ZipCode").val(""); this.model.Country = address.Country.short_name; $("#Country").val(address.Country.short_name || ""); }, updateModeLocationPanel:function(isAutoCompleteMode){ // Update layout depend on mode if (isAutoCompleteMode) { $(".autocomplate-location-panel").removeClass("hidden"); $(".detail-location-panel").removeClass("hidden").addClass("hidden"); } else { $(".autocomplate-location-panel").removeClass("hidden").addClass("hidden"); $(".detail-location-panel").removeClass("hidden"); } }, initControlForTicketForms: function () { // Init control for exist ticket forms in edit mode var listTicketForms = $("#create_tickets_wrapper #List_Tickets .create-tickets--ticket"); if (listTicketForms && listTicketForms.length > 0) { $.each(listTicketForms, function (index, ticketElement) { if (ticketElement) { var startDate = $(ticketElement).find("input[name='TicketStartSaleDate']"); var endDate = $(ticketElement).find("input[name='TicketEndSaleDate']"); // init date picker $(startDate).datetimepicker({ format: "d/m/Y H:i:s", timepicker: true }); $(endDate).datetimepicker({ format: "d/m/Y H:i:s", timepicker: true }); } }); } }, deleteEvent: function (id, eventTitle) { var title = "Delete event"; var message = "Are you want to delete " + eventTitle + " event?"; MessageBox.showMessageBox(title, message, function () { $.ajax({ url: '/Admin/Event/Delete', data: { id: id }, type: 'POST', success: function () { window.location.replace("/Admin/Event/Index"); }, error: function () { alert("Delete event fail!"); } }); }); }, createEvent: function () { // Create new event var requestData = new FormData(); // get data this.getDataOfEvent(); // get cover image file var totalFiles = document.getElementById("CoverImage").files.length; for (var i = 0; i < totalFiles; i++) { var file = document.getElementById("CoverImage").files[i]; requestData.append("coverImage", file); } for (key in this.model) { if (key == "Tickets") { for (var i = 0; i < this.model.Tickets.length; i++) { for (ticketKey in this.model.Tickets[i]) { requestData.append("Tickets[" + i + "]." + ticketKey, EventManagement.model.Tickets[i][ticketKey]); } } } else { requestData.append(key, EventManagement.model[key]); } } //requestData.append("requestModel", this.model); // Request to server to create new event $.ajax({ url: '/Admin/Event/Create', data: requestData, type: 'POST', contentType: false, processData: false, success: function () { window.location.replace("/Admin/Event/Index"); }, error: function () { alert("Create event fail!"); } }); }, onCreateEventBtnClick:function(){ $('#event_form').submit(); }, onUpdateEventBtnClick:function(){ $('#event_form').submit(); }, onUpdateEventBtnOnClientSideClick: function () { $('#updateevent_form').submit(); $('#updateevent_form').removeClass("validateform").addClass("validateform"); }, updateEvent: function (serviceUrl, returnUrl) { // Update event var requestData = new FormData(); // get data this.getDataOfEvent(); // get cover image file var totalFiles = document.getElementById("CoverImage").files.length; for (var i = 0; i < totalFiles; i++) { var file = document.getElementById("CoverImage").files[i]; requestData.append("coverImage", file); } for (key in this.model) { if (key == "Tickets") { for (var i = 0; i < this.model.Tickets.length; i++) { for (ticketKey in this.model.Tickets[i]) { requestData.append("Tickets[" + i + "]." + ticketKey, EventManagement.model.Tickets[i][ticketKey]); } } } else { requestData.append(key, EventManagement.model[key]); } } // Request to server to create new event $.ajax({ url: serviceUrl, data: requestData, type: 'POST', contentType: false, processData: false, success: function () { window.location.replace(returnUrl); }, error: function () { alert("Update event fail!"); } }); }, showAllErrorMessages: function (formControl) { // Validate event informations var errorList = $('ul.errorMessages', formControl); errorList.empty(); //Find all invalid fields within the form. formControl.find(':invalid').each(function (index, node) { //Find the field's corresponding label var fieldName = $(node).data("fieldname"); //Opera incorrectly does not fill the validationMessage property. var message = node.validationMessage || 'Invalid value.'; errorList .show() .append('<li><span>' + fieldName + '</span> ' + message + '</li>'); }); }, getDataOfEvent:function(){ // collect data of new event and update to model this.model.Id = $("#EventId").val() || null; this.model.Title = $("#Title").val()|| ""; this.model.Location_StreetName = $("#Location_StreetName").val() || ""; this.model.Location_Address = $("#Location_Address").val() || ""; this.model.Location_Address2 = $("#Location_Address2").val() || ""; this.model.Location_City = $("#Location_City").val() || ""; this.model.Location_State = $("#Location_State").val() || ""; this.model.ZipCode = $("#Location_ZipCode").val(); this.model.Country = $("#Country").val()|| ""; this.model.StartDate = $("#Event_StartDate_Dpk").val() || ""; this.model.EndDate = $("#Event_EndDate_Dpk").val() || ""; this.model.Description = CKEDITOR.instances.Description.getData() || ""; this.model.OrganizationName = $("#OrganizationName").val()|| ""; this.model.OrganizationDescription = CKEDITOR.instances.OrganizationDescription.getData() || ""; this.model.PaymentEmail = $("#PaymentEmail").val() || ""; this.model.EventType = $("#EventType").val()|| ""; this.model.EventTopic = $("#EventTopic").val() || ""; this.model.Status = $("#EventStatus").val() || ""; this.model.SortOrder = $("#EventOrder").val() || ""; this.model.IsVerified = $("#IsVerified").prop("checked") || false; this.model.IsShowRemainingNumberTicket = $("#IsShowRemainingNumberTicket").prop("checked") || false; this.model.Tickets = this.getDataOfTickets() || []; }, getDataOfTickets:function(){ // Get list tickets var retListTickets = []; var listTicketElements = $("#List_Tickets .create-tickets--ticket"); if (listTicketElements && listTicketElements.length>0) { $.each(listTicketElements, function (index, ticketElement) { var ticket = new TicketEvent(); ticket.Id = $(ticketElement).find("[name = 'TicketId']").val() || null; ticket.Name = $(ticketElement).find("[name = 'TicketName']").val() || ""; ticket.Quantity = $(ticketElement).find("[name = 'TicketQuantity']").val()|| 0; ticket.Price = $(ticketElement).find("[name = 'TicketPrice']").val() || 0; ticket.Description = $(ticketElement).find("[name = 'TicketDescription']").val()|| ""; ticket.IsShowDescription = $(ticketElement).find("[name = 'IsShowDescription']").prop("checked") || true; ticket.SaleChanel = $(ticketElement).find("[name = 'SaleChanel']").val()|| 0; ticket.MinimunTicketOrder = $(ticketElement).find("[name = 'OrderTicketMinimun']").val() || 1; ticket.MaximunTicketOrder = $(ticketElement).find("[name = 'OrderTicketMaximun']").val() || 10; ticket.StartSaleDateTime = $(ticketElement).find("[name = 'TicketStartSaleDate']").val() || "" ticket.EndSaleDateTime = $(ticketElement).find("[name = 'TicketEndSaleDate']").val() || ""; ticket.Type = $("#TicketType").val(); retListTickets.push(ticket); }); } return retListTickets; }, onCreateTicket: function () { // Add new ticket depend on ticket type var ticketType = $("#TicketType").val(); if (ticketType) { this.addNewTicket(ticketType); } else { alert("Please choose type of ticket before add ticket"); } }, addNewTicket:function(type){ // Add a new ticket on list var listTicketConatiner = $("#create_tickets_wrapper #List_Tickets"); var ticketElement; switch (type) { case TicketType.Free: ticketElement = listTicketConatiner.append($(this.template.getFreeTicketTemplate())); break; case TicketType.Paid: ticketElement = listTicketConatiner.append($(this.template.getPaidTicketTemplate())); break; case TicketType.Donation: ticketElement = listTicketConatiner.append($(this.template.getDonationTicketTemplate())); break; default: ticketElement = listTicketConatiner.append($(this.template.getFreeTicketTemplate())); break; } if (ticketElement == null) { return; } var startDate = $(ticketElement).find("input[name='TicketStartSaleDate']"); var endDate = $(ticketElement).find("input[name='TicketEndSaleDate']"); // init date picker $(startDate).datetimepicker({ //onChangeDateTime: onDateTimeChange, format: "d/m/Y H:i:s", //mask: true, onShow: function (ct) { //this.setOptions({ // maxDate: $(endDate).val() ? $(endDate).val() : false, // maxTime: $(endDate).val() ? $(endDate).val() : false //}) }, timepicker: true }); $(endDate).datetimepicker({ format: "d/m/Y H:i:s", //mask: true, onShow: function (ct) { //this.setOptions({ // minDate: $(startDate).val() ? $(endDate).val() : false, // minTime: $(startDate).val() ? $(endDate).val() : false //}) }, timepicker: true }); }, onRemoveTicketBtnClick:function(e){ // On remove ticket button click $(e).closest(".create-tickets--ticket").remove(); }, removeAllTicket:function(){ // Remove all ticket in list and update capacity of form $("#create_tickets_wrapper #List_Tickets").empty(); $("#TotalTicketCapacity").text("0"); }, expandTicketSettingForm: function (e) { // Collapse or expand tiket setting details var settingDetailsPanel = $(e).closest(".create-tickets--ticket").find(".ticket-settings.settings"); if (settingDetailsPanel) { $(settingDetailsPanel).toggleClass("hidden"); } }, onBackToIndexBtnClick:function(){ // Redirect to index page of event management area window.location.replace("/Admin/Event/Index"); }, onBackToIndexClientSideBtnClick: function () { // Redirect to index page of event management area debgger window.location.replace("/Home/Index"); }, showSpin: function (target) { /// <summary> /// Create spin control /// </summary> /// <param>N/A</param> /// <returns>N/A</returns>s $("#images").append(EventManagement.controls.spin.spin().el); }, hideSpin: function () { /// <summary> /// Hide spin control /// </summary> /// <param>N/A</param> /// <returns>N/A</returns> EventManagement.controls.spin.stop(); }, model: { Id : null, Title : "", StartDate : null, EndDate : null, Description :"", OrganizationName : "", OrganizationDescription :"", CoverImage :null, PaymentEmail :"", EventType :"", EventTopic :"", SubTopic : "", IsShowRemainingNumberTicket :false, Location_StreetName :"", Location_Address :"", Location_Address2 :"", Location_City :"", Location_State :"", ZipCode :"", Country :"", Status : 0, SortOrder :null, IsVerified :false, Tickets :[] }, template: { getFreeTicketTemplate: function () { // Get html template of free ticket form var template = $("#CreateTicketTemplates .free-ticket").clone(); return template; }, getPaidTicketTemplate: function () { // Get html template of paid ticket form var template = $("#CreateTicketTemplates .paid-ticket").clone(); return template; }, getDonationTicketTemplate: function () { // Get html template of donation ticket form var template = $("#CreateTicketTemplates .donation-ticket").clone(); return template; }, } };
/** * @file mip-qf-loadingscorll 组件 * @author 9-lives */ define(function (require) { var mustache = require('templates'); var util = require('util'); var utils = require('./utils'); var customElement = require('customElement').create(); var component; // 组件元素 var params; // jsonp 参数 var properties; // HTML 属性 var itemNum = 0; // 当前数据序号 var scroll = {}; var btn; // 加载按钮 var ul; // 挂载对象 // 按钮相关 var btnLoading = { // 增加点击事件监听 addHandler: function () { btn.addEventListener('click', btnLoading.handler, false); }, // 点击事件监听 handler: function () { // 增加滚动监听 scroll.addHandler(); // 移除按钮点击事件监听 btn.removeEventListener('click', btnLoading.handler); scroll.trigger(); }, // 移除点击事件监听 rmHandler: function () { btn.removeEventListener('click', btnLoading.handler, false); } }; // 加载相关 var loading = { // 加载失败回调 failure: function () { if (btn) { btn.innerText = properties.failedTxt; // 移除滚动监听 scroll.rmHandler(); // 增加按钮点击事件监听 btnLoading.addHandler(); } loading.finally(); }, // 最终加载回调,无论成功或失败均会执行 finally: function () { loading.isLoading = false; }, // 加载状态 isLoading: false, // 加载 load: function () { loading.isLoading = true; if (btn) { btn.innerText = properties.loadingTxt; } utils.getDataByJsonp({ failure: loading.failure, success: loading.success, timeout: properties.timeout, url: utils.setUrlParams(properties.url, params) }); }, // 加载成功回调 success: function (data) { params.pageIndex++; if (!data || (data instanceof Array && data.length === 0)) { // 无数据返回,加载完毕 return window.removeEventListener('scroll', scroll.handler); } // 处理数据 for (var i = 0; i < data.length; i++) { // 下载链接 if (!util.platform.isWechatApp() && data[i].downloadlink) { var dHref = utils.parsePackInfo(data[i].downloadlink); data[i].apkHref = dHref.apk; data[i].ipaHref = dHref.ipa; } // 序号 if (!data[i].itemnum) { data[i].itemnum = ++itemNum; } } mustache.render(component.element, data) .then(function (rs) { if (rs instanceof Array) { rs = rs.join(''); } var el = document.createElement('ul'); var frag = document.createDocumentFragment(); el.innerHTML = rs; while (el.children.length !== 0) { frag.appendChild(el.children[0]); } ul.appendChild(frag); }); loading.finally(); } }; // 滚动相关 scroll = { // 增加滚动事件监听 addHandler: function () { window.addEventListener('scroll', scroll.handler, utils.isPassiveEvtSupport() ? { passive: true } : false); }, // 滚动事件监听 handler: function () { utils.rqFrame.call(window, scroll.trigger); }, // 移除滚动事件监听 rmHandler: function () { window.removeEventListener('scroll', scroll.handler); }, // 触发器 trigger: function () { if (loading.isLoading) { // 正在加载,不重复触发 return; } var y = (window.pageYOffset || document.documentElement.scrollTop || document.body.scrollTop); var btmPos = window.innerHeight + y; // 视口底部到文档顶部高度 var limitHt = component.element.offsetTop - properties.gap; if (btmPos > limitHt) { loading.load(); } } }; customElement.prototype.firstInviewCallback = function () { component = this; btn = component.element.querySelector('.mip-qf-loadingscroll-btn'); ul = component.element.querySelector('ul'); if (!ul || !btn) { throw new Error('DOM element not found'); } params = utils.getCustomParams(this.element); properties = utils.getHtmlProperties(this.element, btn); if (!params || !properties) { return; } mustache.render(component.element, {}) .then(function () { var el = document.createElement('ul'); el.innerHTML = ul.innerHTML; // 以首个元素节点标签名为参照 var nName = el.children[0].nodeName.toLowerCase(); // 初始化 itemnum if (el.children.length > 0) { var i = 0; while (i <= el.children.length - 1) { if (el.children[i].nodeName.toLowerCase() === nName) { itemNum++; } i++; } } scroll.handler(); scroll.addHandler(); }); }; customElement.prototype.detachedCallback = function () { scroll.rmHandler(); }; return customElement; });
(function (angular) { 'use strict'; angular.module('org.tbk.vishy.ui.report.controllers') .controller('ReportCtrl', [ '$scope', function ($scope) { }]) ; })(angular);
/** * Created by timfulmer on 9/2/15. */ var env=process.env.NODE_ENV || 'development', fs=require('fs'), configJson=void 0, configJsonPath=void 0; try{ fs.statSync('./config.json'); configJson=require('./config.json'); configJsonPath='./config.json'; }catch(err){ console.log('No config.json found, attempting to use defaults in config.json-orig'); configJson=require('./config.json-orig'); configJsonPath='./config.json-orig'; } if(!configJson[env]){ throw new Error('Could not find config for environment '+env+' in config JSON '+configJsonPath+'.'); } module.exports=configJson[env];
/** * Created by long on 15-2-14. */ var COLS = 8; var ROWS = 8; var TILE_SIZE = 64 var MIN_COUNT = 3; var GamePopStars = BaseScene.extend({ tileMap:null, onEnter:function() { this._super(); var bg = flax.assetsManager.createDisplay(res.poppingStars, "bg", {parent:this}); flax.inputManager.addListener(bg, this.onClick, InputType.press, this); //create a new TileMap this.tileMap = new flax.TileMap(); this.tileMap.init(TILE_SIZE, TILE_SIZE); this.tileMap.setMapSize(ROWS, COLS); this.tileMap.setPosition(64, 180); //this.tileMap.showDebugGrid(); //Initialize the whole map for(var i = 0; i < ROWS; i++) { for(var j = 0; j < COLS; j++) { var star = flax.assetsManager.createDisplay(res.poppingStars, "star" + flax.randInt(0, 4), {parent: this}, true); this.tileMap.snapToTile(star, i, j, true); } } }, onClick:function(touch, event) { var pos = touch.getLocation(); var objs = this.tileMap.getObjects1(pos.x, pos.y); if(objs.length){ var star = objs[0]; var stars = this.tileMap.findConnectedObjects(star, "assetID"); if(stars.length >= MIN_COUNT - 1){ //Destory all the stars with the same assetID(color) var rowsEffected = []; stars.push(star); for(var i = 0; i < stars.length; i++){ star = stars[i]; if(rowsEffected.indexOf(star.tx) == -1) rowsEffected.push(star.tx); star.destroy(); } for(var i = 0; i < rowsEffected.length; i++) { //The stars above the blank tiles will fall var row = rowsEffected[i]; var space = 0; for(var col = 0; col < COLS; col++) { objs = this.tileMap.getObjects(row, col); if(objs.length == 0){ space++; }else{ star = objs[0]; if(space > 0){ //why not use moveTo action, setPosition will not be called in JSB // star.runAction(cc.moveTo(0.2, star.x, star.y - TILE_SIZE*space)); star.moveTo(cc.p(star.x, star.y - TILE_SIZE*space), 0.2); } } } //Create new stars to fall for(var j = 0; j < space; j++) { var targetPos = this.tileMap.getTiledPosition(row, COLS - j - 1); var newStar = flax.assetsManager.createDisplay(res.poppingStars, "star" + flax.randInt(0, 4), {parent: this}, true); newStar.tileMap = this.tileMap; newStar.setPosition(targetPos.x, targetPos.y + 260 + Math.random()*60); //why not use moveTo action, setPosition will not be called in JSB // newStar.runAction(cc.moveTo(0.3, targetPos)); newStar.moveTo(targetPos, 0.3); } } } } } })
angular.module('material.autocomplete.templates', []).run(['$templateCache', function ($templateCache) { 'use strict'; $templateCache.put('ac-templates', '<script type=text/ng-template id=acTemplate.html><div name="searchAutocomplete" id="autocompleteForm-{{ac.id}}" ng-init="ac.inputFieldName=\'acInputField-\'+ac.id">\n' + ' <div id="acDirective" class="acDirectiveAutocomplete">\n' + ' <div class="row">\n' + ' <div id="acForm" class="input-field col s12 has-clear" ng-init="ac.init()">\n' + ' <input id="autocomplete-{{ac.id}}"\n' + ' name="{{ac.inputFieldName}}"\n' + ' type="text"\n' + ' ng-model="ac.searchText"\n' + ' ng-focus="ac.focus($event)"\n' + ' ng-blur="ac.blur($event)"\n' + ' ng-keydown="ac.keydown($event)"\n' + ' ng-disabled="ac.disableInput"\n' + ' ng-required="ac.required"\n' + ' autocomplete="off"\n' + ' class="ac-input"\n' + ' ng-style="ac.checkError() && ac.setInputBorderStyle(ac.errorColor) || ac.checkSuccess() && ac.setInputBorderStyle(ac.successColor)"\n' + ' >\n' + ' <span ng-if="!ac.disableCrossIcon && ac.searchText.length>0" id="clear {{ac.autocompleteId}}"\n' + ' class="clearBtn" title="Clear"\n' + ' ng-click="ac.clearValue()">&times;</span>\n' + ' <label for="autocomplete-{{ac.id}}" ng-class="{\'active\':(ac.searchText||ac.isInputFocus)}"\n' + ' ng-style="ac.checkError() && ac.setTextStyle(ac.errorColor) || ac.checkSuccess() && ac.setTextStyle(ac.successColor)">\n' + ' {{ac.inputName}}\n' + ' </label>\n' + ' <span class="text-input-wrapper"></span>\n' + ' </div>\n' + ' </div>\n' + ' <div class="progress" ng-show="ac.loading">\n' + ' <div class="indeterminate"></div>\n' + ' </div>\n' + ' <div class=" row" ng-hide="ac.hidden" ng-mouseenter="ac.onListEnter()"\n' + ' ng-mouseleave="ac.onListLeave()" ng-mouseup="ac.onMouseup()">\n' + ' <div id="acDropdown" class=" s12">\n' + ' <ul class="collection dropdown-ul" role="menu" aria-labelledby="simple-btn-keyboard-nav"\n' + ' ng-show="ac.itemList.length>0">\n' + ' <li class="collection-item dropdown-li waves-effect"\n' + ' ng-repeat="item in ac.itemList | filter: (!ac.remoteMethod ? ac.searchText : \'\' )"\n' + ' ng-click="ac.selectItem(item)"\n' + ' ng-class="{\'selected\': $index === ac.index,\'avatar\':item[ac.displayPicture]}">\n' + '\n' + ' <img ng-if="item[ac.displayPicture]" ng-src="{{item[ac.displayPicture]}}" alt=""\n' + ' class="circle">\n' + ' <div ng-if="ac.displayColor"\n' + ' class="circle displayColor left"\n' + ' ng-style="{\'background-color\': item[ac.displayColor]}">\n' + ' </div>\n' + ' <div>{{item[ac.displayProperty1]}}<span\n' + ' class="right">{{item[ac.displaySubProperty1]}}</span>\n' + ' </div>\n' + ' <div ng-if="item[ac.displayProperty2]">{{item[ac.displayProperty2]}}<span class="right">{{item[ac.displaySubProperty2]}}</span>\n' + ' </div>\n' + ' <div ng-if="item[ac.displayProperty3]">{{item[ac.displayProperty3]}}<span class="right">{{item[ac.displaySubProperty3]}}</span>\n' + ' </div>\n' + ' </li>\n' + ' </ul>\n' + ' <ul class="collection dropdown-ul" role="menu" aria-labelledby="simple-btn-keyboard-nav"\n' + ' ng-hide="ac.itemList.length>0 || !ac.searchText">\n' + ' <li class="collection-item dropdown-li waves-effect">\n' + ' Your search <b>"{{ac.searchText}}"</b> was not found\n' + ' </li>\n' + ' </ul>\n' + ' </div>\n' + ' </div>\n' + ' <div ng-if="(ac.checkError())"\n' + ' class="right errorMsg"\n' + ' ng-style="ac.setTextStyle(ac.errorColor)">\n' + ' {{ac.selectionErrorMessage}}\n' + ' </div>\n' + ' </div>\n' + ' </div></script>'); }]);
/* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * A very simple debug log file lib for Node.JS * * Author: Paul Norwood <paul@greatdividetech.com> * * The MIT License (MIT) * * Copyright (c) 2013 Great Divide Technology <development@greatdividetech.com> * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal * in the Software without restriction, including without limitation the rights * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell * copies of the Software, and to permit persons to whom the Software is * furnished to do so, subject to the following conditions: * * The above copyright notice and this permission notice shall be included in * all copies or substantial portions of the Software. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN * THE SOFTWARE. * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * */ /* private vars */ var fs = require("fs"); var util = require("util"); var dir, log; /* private methods */ var setDir = function(p) { if (p) { dir = p; } else dir = __dirname+"/log"; try { if(!fs.statSync(dir).isDirectory()) fs.mkdirSync(dir, 0600); } catch(e) { fs.mkdirSync(dir, 0600); } return; }; var openLogFile = function () { if (!dir) setDir(); try { log = fs.createWriteStream(dir+"/debug.log", { flags: "a" }); } catch(e) { throw "log:: "+e; } return; }; var printDate = function() { var date = new Date(); return (date.toISOString()+" "); }; /* exported methods */ module.exports = new function() { this.debug = function() { if(log != null && log.writable === true) { var line = printDate() + util.format.apply(this, arguments) + "\n"; log.write(line); } return; }; this.open = function() { (if !log) return openLogFile(); }; this.close = function() { return log.close(); }; this.path = function() { return setDir(arguments); }; return openLogFile(); };
import expect from 'expect'; import reducer from '../reducer'; import { setRoomName } from '../actions'; describe('App Reducer', () => { it('returns the initial state', () => { expect(reducer(undefined, {}).toJS()) .toInclude({ roomName: '' }) .toIncludeKey('webrtc'); }); it('handles the setRoomName action', () => { const fixture = 'zill'; expect(reducer(undefined, setRoomName(fixture)).toJS()) .toInclude({ roomName: fixture }) .toIncludeKey('webrtc'); }); });
import test from 'ava'; import sinon from 'sinon'; import { mockImports, resetImports } from '../../utils/test-helpers'; import generateSeeder, { __RewireAPI__ as moduleRewireAPI, } from './generate-seeder'; const helpData = { name: 'name', seederTemplate: 'template', userSeedersFolderPath: 'path/to/seeders', }; test.beforeEach('mock imports', t => { const { seederTemplate, userSeedersFolderPath } = helpData; const mocks = { validateUserConfig: sinon.stub(), SeederGenerator: sinon.stub(), config: { seederTemplate, userSeedersFolderPath }, }; mocks.SeederGenerator.prototype.generate = sinon .stub() .resolves('some.seeder.js'); t.context = { mocks }; mockImports({ moduleRewireAPI, mocks }); sinon.stub(console, 'log'); }); test.afterEach.always('unmock imports', t => { const imports = Object.keys(t.context.mocks); resetImports({ moduleRewireAPI, imports }); console.log.restore(); }); test('should generate a seeder', async t => { const { validateUserConfig, SeederGenerator } = t.context.mocks; await generateSeeder(helpData.name); t.true(validateUserConfig.called); t.true(SeederGenerator.calledWith(helpData)); t.true(SeederGenerator.prototype.generate.called); t.true(console.log.called); });
version https://git-lfs.github.com/spec/v1 oid sha256:ca6b9b82bb53f52a1ca32aebbeb7ef16b6265ad88a0d96db479dbbf08e975d66 size 789
/************************************************************** 6. ZIP TASKS **************************************************************/ var gulp = require('gulp'), config = require('../gulp.conf.js'), zip = require('gulp-zip'); gulp.task(config.tasks.zip, function() { return gulp.src('./public/**') .pipe(zip('archive.zip')) .pipe(gulp.dest('./')); });
({ /* send : function(component, event, helper) { var text = event.source.get("v.label"); $A.get("e.c:message").setParams({ text: text }).fire(); }, */ send : function(component, event, helper) { var messageEvent = component.getEvent("messageEvent"); var text = event.source.get("v.label"); messageEvent.setParams({ "text": text }); messageEvent.fire(); } })
var list = require('./') var display = require('./bin/display') var pkg = require('./package.json') var defaultArgs = { dependencies: false, optionalDependencies: false, peerDependencies: false, devDependencies: true } list(pkg, defaultArgs).then(display)
var http = require('http'), URL = require('url'), HtmlToDom = require('./htmltodom').HtmlToDom, domToHtml = require('./domtohtml').domToHtml, htmlencoding = require('./htmlencoding'), HTMLEncode = htmlencoding.HTMLEncode, HTMLDecode = htmlencoding.HTMLDecode, jsdom = require('../../jsdom'), Contextify = null; try { Contextify = require('contextify'); } catch (e) { // Shim for when the contextify compilation fails. // This is not quite as correct, but it gets the job done. Contextify = function(sandbox) { var vm = require('vm'); var context = vm.createContext(sandbox); var global = null; sandbox.run = function(code, filename) { return vm.runInContext(code, context, filename); }; sandbox.getGlobal = function() { if (!global) { global = vm.runInContext('this', context); } return global; }; sandbox.dispose = function() { global = null; sandbox.run = function () { throw new Error("Called run() after dispose()."); }; sandbox.getGlobal = function () { throw new Error("Called getGlobal() after dispose()."); }; sandbox.dispose = function () { throw new Error("Called dispose() after dispose()."); }; }; return sandbox; }; } function NOT_IMPLEMENTED(target) { return function() { if (!jsdom.debugMode) { var raise = target ? target.raise : this.raise; raise.call(this, 'error', 'NOT IMPLEMENTED'); } }; } /** * Creates a window having a document. The document can be passed as option, * if omitted, a new document will be created. */ exports.windowAugmentation = function(dom, options) { options = options || {}; var window = exports.createWindow(dom, options); if (!options.document) { var browser = browserAugmentation(dom, options); if (options.features && options.features.QuerySelector) { require(__dirname + "/../selectors/index").applyQuerySelectorPrototype(browser); } options.document = (browser.HTMLDocument) ? new browser.HTMLDocument(options) : new browser.Document(options); options.document.write('<html><head></head><body></body></html>'); } var doc = window.document = options.document; if (doc.addEventListener) { if (doc.readyState == 'complete') { var ev = doc.createEvent('HTMLEvents'); ev.initEvent('load', false, false); window.dispatchEvent(ev); } else { doc.addEventListener('load', function(ev) { window.dispatchEvent(ev); }); } } return window; }; /** * Creates a document-less window. */ exports.createWindow = function(dom, options) { var timers = []; function startTimer(startFn, stopFn, callback, ms) { var res = startFn(callback, ms); timers.push( [ res, stopFn ] ); return res; } function stopTimer(id) { if (typeof id === 'undefined') { return; } for (var i in timers) { if (timers[i][0] === id) { timers[i][1].call(this, id); timers.splice(i, 1); break; } } } function stopAllTimers() { timers.forEach(function (t) { t[1].call(this, t[0]); }); timers = []; } function DOMWindow(options) { var href = (options || {}).url || 'file://' + __filename; this.location = URL.parse(href); this.location.reload = NOT_IMPLEMENTED(this); this.location.replace = NOT_IMPLEMENTED(this); this.location.toString = function() { return href; }; var window = this.console._window = this; /* Location hash support */ this.location.__defineGetter__("hash", function() { return (window.location.href.split("#").length > 1) ? "#"+window.location.href.split("#")[1] : ""; }); this.location.__defineSetter__("hash", function(val) { /* TODO: Should fire a hashchange event, but tests aren't working */ window.location.href = window.location.href.split("#")[0] + val; }); /* Location search support */ this.location.__defineGetter__("search", function() { return (window.location.href.split("?").length > 1) ? "?"+window.location.href.match(/\?([^#]+)/)[1] : ""; }); this.location.__defineSetter__("search", function(val) { window.location.href = (window.location.href.indexOf("?") > 0) ? window.location.href.replace(/\?([^#]+)/, val) : window.location.href.match(/^([^#?]+)/)[0] + val + window.location.hash; }); if (options && options.document) { options.document.location = this.location; } this.addEventListener = function() { dom.Node.prototype.addEventListener.apply(window, arguments); }; this.removeEventListener = function() { dom.Node.prototype.removeEventListener.apply(window, arguments); }; this.dispatchEvent = function() { dom.Node.prototype.dispatchEvent.apply(window, arguments); }; this.raise = function(){ dom.Node.prototype.raise.apply(window.document, arguments); }; this.setTimeout = function (fn, ms) { return startTimer(setTimeout, clearTimeout, fn, ms); }; this.setInterval = function (fn, ms) { return startTimer(setInterval, clearInterval, fn, ms); }; this.clearInterval = stopTimer; this.clearTimeout = stopTimer; this.__stopAllTimers = stopAllTimers; } DOMWindow.prototype = { __proto__: dom, // This implements window.frames.length, since window.frames returns a // self reference to the window object. This value is incremented in the // HTMLFrameElement init function (see: level2/html.js). _length : 0, get length () { return this._length; }, close : function() { // Recursively close child frame windows, then ourselves. var currentWindow = this; (function windowCleaner (window) { var i; // We could call window.frames.length etc, but window.frames just points // back to window. if (window.length > 0) { for (i = 0; i < window.length; i++) { windowCleaner(window[i]); } } // We're already in our own window.close(). if (window !== currentWindow) { window.close(); } })(this); if (this.document) { if (this.document.body) { this.document.body.innerHTML = ""; } if (this.document.close) { // We need to empty out the event listener array because // document.close() causes 'load' event to re-fire. this.document._listeners = []; this.document.close(); } delete this.document; } stopAllTimers(); // Clean up the window's execution context. // dispose() is added by Contextify. this.dispose(); }, getComputedStyle: function(node) { var s = node.style, cs = {}; for (var n in s) { cs[n] = s[n]; } cs.__proto__ = { getPropertyValue: function(name) { return node.style[name]; } }; return cs; }, console: { log: function(message) { this._window.raise('log', message) }, info: function(message) { this._window.raise('info', message) }, warn: function(message) { this._window.raise('warn', message) }, error: function(message) { this._window.raise('error', message) } }, navigator: { userAgent: 'Node.js (' + process.platform + '; U; rv:' + process.version + ')', appName: 'Node.js jsDom', platform: process.platform, appVersion: process.version }, XMLHttpRequest: function XMLHttpRequest() {}, name: 'nodejs', innerWidth: 1024, innerHeight: 768, outerWidth: 1024, outerHeight: 768, pageXOffset: 0, pageYOffset: 0, screenX: 0, screenY: 0, screenLeft: 0, screenTop: 0, scrollX: 0, scrollY: 0, scrollTop: 0, scrollLeft: 0, alert: NOT_IMPLEMENTED(), blur: NOT_IMPLEMENTED(), confirm: NOT_IMPLEMENTED(), createPopup: NOT_IMPLEMENTED(), focus: NOT_IMPLEMENTED(), moveBy: NOT_IMPLEMENTED(), moveTo: NOT_IMPLEMENTED(), open: NOT_IMPLEMENTED(), print: NOT_IMPLEMENTED(), prompt: NOT_IMPLEMENTED(), resizeBy: NOT_IMPLEMENTED(), resizeTo: NOT_IMPLEMENTED(), scroll: NOT_IMPLEMENTED(), scrollBy: NOT_IMPLEMENTED(), scrollTo: NOT_IMPLEMENTED(), screen : { width : 0, height : 0 }, Image : NOT_IMPLEMENTED() }; var window = new DOMWindow(options); Contextify(window); // We need to set up self references using Contextify's getGlobal() so that // the global object identity is correct (window === this). // See Contextify README for more info. var global = window.getGlobal(); // Set up the window as if it's a top level window. // If it's not, then references will be corrected by frame/iframe code. // Note: window.frames is maintained in the HTMLFrameElement init function. window.window = window.frames = window.self = window.parent = window.top = global; return window; }; //Caching for HTMLParser require. HUGE performace boost. /** * 5000 iterations * Without cache: ~1800+ms * With cache: ~80ms */ var defaultParser = null; function getDefaultParser() { if (defaultParser === null) { try { defaultParser = require('htmlparser'); } catch (e) { try { defaultParser = require('node-htmlparser/lib/node-htmlparser'); } catch (e2) { defaultParser = undefined; } } } return defaultParser; } /** * Augments the given DOM by adding browser-specific properties and methods (BOM). * Returns the augmented DOM. */ var browserAugmentation = exports.browserAugmentation = function(dom, options) { if (dom._augmented) { return dom; } if(!options) { options = {}; } // set up html parser - use a provided one or try and load from library var htmltodom = new HtmlToDom(options.parser || getDefaultParser()); if (!dom.HTMLDocument) { dom.HTMLDocument = dom.Document; } if (!dom.HTMLDocument.prototype.write) { dom.HTMLDocument.prototype.write = function(html) { this.innerHTML = html; }; } dom.Element.prototype.getElementsByClassName = function(className) { function filterByClassName(child) { if (!child) { return false; } if (child.nodeType && child.nodeType === dom.Node.ENTITY_REFERENCE_NODE) { child = child._entity; } var classString = child.className; if (classString) { var s = classString.split(" "); for (var i=0; i<s.length; i++) { if (s[i] === className) { return true; } } } return false; } return new dom.NodeList(this.ownerDocument || this, dom.mapper(this, filterByClassName)); }; dom.Element.prototype.__defineGetter__('sourceIndex', function() { /* * According to QuirksMode: * Get the sourceIndex of element x. This is also the index number for * the element in the document.getElementsByTagName('*') array. * http://www.quirksmode.org/dom/w3c_core.html#t77 */ var items = this.ownerDocument.getElementsByTagName('*'), len = items.length; for (var i = 0; i < len; i++) { if (items[i] === this) { return i; } } }); dom.Document.prototype.__defineGetter__('outerHTML', function() { return domToHtml(this, true); }); dom.Element.prototype.__defineGetter__('outerHTML', function() { return domToHtml(this, true); }); dom.Element.prototype.__defineGetter__('innerHTML', function() { if (/^(?:script|style)$/.test(this._tagName)) { var type = this.getAttribute('type'); if (!type || /^text\//i.test(type) || /\/javascript$/i.test(type)) { return domToHtml(this._childNodes, true, true); } } return domToHtml(this._childNodes, true); }); dom.Element.prototype.__defineSetter__('doctype', function() { throw new core.DOMException(NO_MODIFICATION_ALLOWED_ERR); }); dom.Element.prototype.__defineGetter__('doctype', function() { var r = null; if (this.nodeName == '#document') { if (this._doctype) { r = this._doctype; } } return r; }); dom.Element.prototype.__defineSetter__('innerHTML', function(html) { //Clear the children first: var child; while ((child = this._childNodes[0])) { this.removeChild(child); } if (this.nodeName === '#document') { parseDocType(this, html); } if (html !== "" && html != null) { htmltodom.appendHtmlToElement(html, this); } return html; }); dom.Document.prototype.__defineGetter__('innerHTML', function() { return domToHtml(this._childNodes, true); }); dom.Document.prototype.__defineSetter__('innerHTML', function(html) { //Clear the children first: var child; while ((child = this._childNodes[0])) { this.removeChild(child); } if (this.nodeName === '#document') { parseDocType(this, html); } if (html !== "" && html != null) { htmltodom.appendHtmlToElement(html, this); } return html; }); var DOC_HTML5 = /<!doctype html>/i, DOC_TYPE = /<!DOCTYPE (\w(.|\n)*)">/i, DOC_TYPE_START = '<!DOCTYPE ', DOC_TYPE_END = '">'; function parseDocType(doc, html) { var publicID = '', systemID = '', fullDT = '', name = 'HTML', set = true, doctype = html.match(DOC_HTML5); //Default, No doctype === null doc._doctype = null; if (doctype && doctype[0]) { //Handle the HTML shorty doctype fullDT = doctype[0]; } else { //Parse the doctype // find the start var start = html.indexOf(DOC_TYPE_START), end = html.indexOf(DOC_TYPE_END), docString; if (start < 0 || end < 0) { return; } docString = html.substr(start, (end-start)+DOC_TYPE_END.length); doctype = docString.replace(/[\n\r]/g,'').match(DOC_TYPE); if (!doctype) { return; } fullDT = doctype[0]; doctype = doctype[1].split(' "'); var _id1 = doctype.length ? doctype.pop().replace(/"/g, '') : '', _id2 = doctype.length ? doctype.pop().replace(/"/g, '') : ''; if (_id1.indexOf('-//') !== -1) { publicID = _id1; } if (_id2.indexOf('-//') !== -1) { publicID = _id2; } if (_id1.indexOf('://') !== -1) { systemID = _id1; } if (_id2.indexOf('://') !== -1) { systemID = _id2; } if (doctype.length) { doctype = doctype[0].split(' '); name = doctype[0].toUpperCase(); } } doc._doctype = new dom.DOMImplementation().createDocumentType(name, publicID, systemID); doc._doctype._ownerDocument = doc; doc._doctype._fullDT = fullDT; doc._doctype.toString = function() { return this._fullDT; }; } dom.Document.prototype.getElementsByClassName = function(className) { function filterByClassName(child) { if (!child) { return false; } if (child.nodeType && child.nodeType === dom.Node.ENTITY_REFERENCE_NODE) { child = child._entity; } var classString = child.className; if (classString) { var s = classString.split(" "); for (var i=0; i<s.length; i++) { if (s[i] === className) { return true; } } } return false; } return new dom.NodeList(this.ownerDocument || this, dom.mapper(this, filterByClassName)); }; dom.Element.prototype.__defineGetter__('nodeName', function(val) { return this._nodeName.toUpperCase(); }); dom.Element.prototype.__defineGetter__('tagName', function(val) { var t = this._tagName.toUpperCase(); //Document should not return a tagName if (this.nodeName === '#document') { t = null; } return t; }); dom.Element.prototype.scrollTop = 0; dom.Element.prototype.scrollLeft = 0; dom.Document.prototype.__defineGetter__('parentWindow', function() { if (!this._parentWindow) { var window = exports.windowAugmentation(dom, {document: this, url: this.URL}); this._parentWindow = window.getGlobal(); } return this._parentWindow; }); dom.Document.prototype.__defineSetter__('parentWindow', function(window) { this._parentWindow = window.getGlobal(); }); dom.Document.prototype.__defineGetter__('defaultView', function() { return this.parentWindow; }); dom._augmented = true; return dom; };
module.exports = function(grunt) { // Load Grunt tasks declared in the package.json file require('matchdep').filterDev('grunt-*').forEach(grunt.loadNpmTasks); // Project configuration. grunt.initConfig({ pkg: grunt.file.readJSON('package.json'), express: { all: { options: { port: 9000, hostname: "0.0.0.0", bases: ['.'], // Replace with the directory you want the files served from // Make sure you don't use `.` or `..` in the path as Express // is likely to return 403 Forbidden responses if you do // http://stackoverflow.com/questions/14594121/express-res-sendfile-throwing-forbidden-error livereload: true } } }, // grunt-watch will monitor the projects files watch: { all: { // Replace with whatever file you want to trigger the update from // Either as a String for a single entry // or an Array of String for multiple entries // You can use globing patterns like `css/**/*.css` // See https://github.com/gruntjs/grunt-contrib-watch#files files: 'index.html', options: { livereload: true } } }, // grunt-open will open your browser at the project's URL open: { all: { // Gets the port from the connect configuration path: 'http://localhost:<%= express.all.options.port%>' } } }); // Creates the `server` task grunt.registerTask('server', [ 'express', 'open', 'watch' ]); };
// Include gulp var gulp = require('gulp'); // node file system var fs = require('fs'); // Include Our Plugins var sass = require('gulp-sass'); var minify = require('gulp-minify-css'); var rename = require('gulp-rename'); var clean = require('gulp-clean'); var swig = require('gulp-swig'); var concat = require('gulp-concat'); var uglify = require('gulp-uglify'); // Compile Our Sass gulp.task('sass', function() { gulp.src('src/scss/mosaic.scss') .pipe(sass()) .pipe(rename('mosaic.css')) .pipe(gulp.dest('./dist/css')) .pipe(minify()) .pipe(rename('mosaic.min.css')) .pipe(gulp.dest('./dist/css')) .pipe(gulp.dest('./')); var stream = gulp.src('src/scss/examples.scss') .pipe(sass()) .pipe(rename('examples.css')) .pipe(gulp.dest('./dist/css')) .pipe(minify()) .pipe(rename('examples.min.css')) .pipe(gulp.dest('./dist/css')); return stream; }); // Build examples from templates gulp.task('swig', function(){ var stream = gulp.src('src/html/**/*.html') .pipe(swig()) .pipe(gulp.dest('./dist')); return stream; }); // Move vendor files to dest gulp.task('vendor', function(){ var stream = gulp.src('src/vendor/**/*.*') .pipe(gulp.dest('./dist')); return stream; }); // Concatenate & Minify JS gulp.task('js', function() { var stream = gulp.src([ 'bower_components/jquery/dist/jquery.js', 'src/js/documentation.js' ]) .pipe(concat('documentation.js')) .pipe(gulp.dest('./dist/js')) .pipe(rename('documentation.min.js')) .pipe(uglify()) .pipe(gulp.dest('./dist/js')); return stream; }); // Clean build gulp.task('clean', function() { var stream = gulp.src([ 'dist', 'mosaic.min.css' ]) .pipe(clean({force: true})); return stream; }); // Watch Files For Changes gulp.task('watch', function() { gulp.watch('src/scss/*.scss', ['sass']); gulp.watch('src/html/**/*.html', ['swig']); gulp.watch('src/js/**/*.js', ['js']); }); // Default Task gulp.task('default', ['sass', 'swig', 'vendor', 'js', 'watch']);