Now using ItemPMT.bin and unitxt_j.prs for item kind list.

This commit is contained in:
Daan Vanden Bosch 2019-06-19 22:14:48 +02:00
parent d973a31b35
commit 4a3f5991ed
33 changed files with 20626 additions and 27957 deletions

View File

@ -3,6 +3,8 @@
@white: #000;
@black: #fff;
// Color used by default to control hover and active backgrounds and for
// alert info backgrounds.
@primary-1: fade(@primary-color, 50%);
@primary-2: fade(@primary-color, 40%);

View File

@ -9,6 +9,7 @@
"@types/react": "16.8.20",
"@types/react-dom": "16.8.4",
"@types/react-virtualized": "^9.21.2",
"@types/react-virtualized-select": "^3.0.7",
"@types/text-encoding": "^0.0.35",
"antd": "^3.19.1",
"craco-antd": "^1.11.0",
@ -21,6 +22,7 @@
"react-dom": "^16.8.6",
"react-scripts": "^3.0.1",
"react-virtualized": "^9.21.1",
"react-virtualized-select": "^3.1.3",
"text-encoding": "^0.7.0",
"three": "^0.105.2",
"three-orbit-controls": "^82.1.0",
@ -30,7 +32,7 @@
"start": "craco start",
"build": "craco build",
"test": "craco test",
"updateDropsEphinea": "ts-node --project=tsconfig-scripts.json static/updateDropsEphinea.ts"
"updateEphineaData": "ts-node --project=tsconfig-scripts.json static/updateEphineaData.ts"
},
"eslintConfig": {
"extends": "react-app"
@ -48,10 +50,8 @@
]
},
"devDependencies": {
"@types/cheerio": "^0.22.0",
"@types/node": "^12.0.3",
"@types/cheerio": "^0.22.11",
"cheerio": "^1.0.0-rc.3",
"isomorphic-fetch": "^2.2.1",
"ts-node": "^8.3.0"
}
}

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

11782
public/itemKinds.ephinea.json Normal file

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

View File

@ -67,7 +67,7 @@ export class ArrayBufferCursor {
* @param bufferOrCapacity - If an ArrayBuffer is given, writes to the cursor will be reflected in this array buffer and vice versa until a cursor write that requires allocating a new internal buffer happens
* @param littleEndian - Decides in which byte order multi-byte integers and floats will be interpreted
*/
constructor(bufferOrCapacity: ArrayBuffer | number, littleEndian?: boolean) {
constructor(bufferOrCapacity: ArrayBuffer | number, littleEndian: boolean = false) {
if (typeof bufferOrCapacity === 'number') {
this.buffer = new ArrayBuffer(bufferOrCapacity);
this.size = 0;
@ -78,7 +78,7 @@ export class ArrayBufferCursor {
throw new Error('buffer_or_capacity should be an ArrayBuffer or a number.');
}
this.littleEndian = !!littleEndian;
this.littleEndian = littleEndian;
this.position = 0;
this.dv = new DataView(this.buffer);
this.uint8Array = new Uint8Array(this.buffer, 0, this.size);
@ -148,6 +148,13 @@ export class ArrayBufferCursor {
return r;
}
/**
* Reads an signed 8-bit integer and increments position by 1.
*/
i8() {
return this.dv.getInt8(this.position++);
}
/**
* Reads a signed 16-bit integer and increments position by 2.
*/
@ -198,6 +205,20 @@ export class ArrayBufferCursor {
return array;
}
/**
* Reads n unsigned 32-bit integers and increments position by 4n.
*/
u32Array(n: number): number[] {
const array = [];
for (let i = 0; i < n; ++i) {
array.push(this.dv.getUint32(this.position, this.littleEndian));
this.position += 4;
}
return array;
}
/**
* Consumes a variable number of bytes.
*

View File

@ -0,0 +1,244 @@
import { ArrayBufferCursor } from "../ArrayBufferCursor";
export type ItemPmt = {
armors: PmtArmor[],
shields: PmtShield[],
units: PmtUnit[],
tools: PmtTool[][],
weapons: PmtWeapon[][],
}
export type PmtWeapon = {
id: number,
type: number,
skin: number,
teamPoints: number,
class: number,
reserved1: number,
minAtp: number,
maxAtp: number,
reqAtp: number,
reqMst: number,
reqAta: number,
mst: number,
maxGrind: number,
photon: number,
special: number,
ata: number,
statBoost: number,
projectile: number,
photonTrail1X: number,
photonTrail1Y: number,
photonTrail2X: number,
photonTrail2Y: number,
photonType: number,
unknown1: number[],
techBoost: number,
comboType: number,
}
export type PmtArmor = {
id: number,
type: number,
skin: number,
teamPoints: number,
dfp: number,
evp: number,
blockParticle: number,
blockEffect: number,
class: number,
reserved1: number,
requiredLevel: number,
efr: number,
eth: number,
eic: number,
edk: number,
elt: number,
dfpRange: number,
evpRange: number,
statBoost: number,
techBoost: number,
unknown1: number,
}
export type PmtShield = PmtArmor
export type PmtUnit = {
id: number,
type: number,
skin: number,
teamPoints: number,
stat: number,
statAmount: number,
plusMinus: number,
reserved: number[]
}
export type PmtTool = {
id: number,
type: number,
skin: number,
teamPoints: number,
amount: number,
tech: number,
cost: number,
itemFlag: number,
reserved: number[],
}
export function parseItemPmt(cursor: ArrayBufferCursor): ItemPmt {
cursor.seekEnd(32);
const mainTableOffset = cursor.u32();
const mainTableSize = cursor.u32();
// const mainTableCount = cursor.u32(); // Should be 1.
cursor.seekStart(mainTableOffset);
const compactTableOffsets = cursor.u16Array(mainTableSize);
const tableOffsets: { offset: number, size: number }[] = [];
let expandedOffset: number = 0;
for (const compactOffset of compactTableOffsets) {
expandedOffset = expandedOffset + 4 * compactOffset;
cursor.seekStart(expandedOffset - 4);
const size = cursor.u32();
const offset = cursor.u32();
tableOffsets.push({ offset, size });
}
const itemPmt: ItemPmt = {
armors: parseArmors(cursor, tableOffsets[7].offset, tableOffsets[7].size),
shields: parseShields(cursor, tableOffsets[8].offset, tableOffsets[8].size),
units: parseUnits(cursor, tableOffsets[9].offset, tableOffsets[9].size),
tools: [],
weapons: [],
};
for (let i = 11; i <= 37; i++) {
itemPmt.tools.push(parseTools(cursor, tableOffsets[i].offset, tableOffsets[i].size));
}
for (let i = 38; i <= 275; i++) {
itemPmt.weapons.push(
parseWeapons(cursor, tableOffsets[i].offset, tableOffsets[i].size)
);
}
return itemPmt;
}
function parseWeapons(cursor: ArrayBufferCursor, offset: number, size: number): PmtWeapon[] {
cursor.seekStart(offset);
const weapons: PmtWeapon[] = [];
for (let i = 0; i < size; i++) {
weapons.push({
id: cursor.u32(),
type: cursor.i16(),
skin: cursor.i16(),
teamPoints: cursor.i32(),
class: cursor.u8(),
reserved1: cursor.u8(),
minAtp: cursor.i16(),
maxAtp: cursor.i16(),
reqAtp: cursor.i16(),
reqMst: cursor.i16(),
reqAta: cursor.i16(),
mst: cursor.i16(),
maxGrind: cursor.u8(),
photon: cursor.i8(),
special: cursor.u8(),
ata: cursor.u8(),
statBoost: cursor.u8(),
projectile: cursor.u8(),
photonTrail1X: cursor.i8(),
photonTrail1Y: cursor.i8(),
photonTrail2X: cursor.i8(),
photonTrail2Y: cursor.i8(),
photonType: cursor.i8(),
unknown1: cursor.u8Array(5),
techBoost: cursor.u8(),
comboType: cursor.u8(),
});
}
return weapons;
}
function parseArmors(cursor: ArrayBufferCursor, offset: number, size: number): PmtArmor[] {
cursor.seekStart(offset);
const armors: PmtArmor[] = [];
for (let i = 0; i < size; i++) {
armors.push({
id: cursor.u32(),
type: cursor.i16(),
skin: cursor.i16(),
teamPoints: cursor.i32(),
dfp: cursor.i16(),
evp: cursor.i16(),
blockParticle: cursor.u8(),
blockEffect: cursor.u8(),
class: cursor.u8(),
reserved1: cursor.u8(),
requiredLevel: cursor.u8(),
efr: cursor.u8(),
eth: cursor.u8(),
eic: cursor.u8(),
edk: cursor.u8(),
elt: cursor.u8(),
dfpRange: cursor.u8(),
evpRange: cursor.u8(),
statBoost: cursor.u8(),
techBoost: cursor.u8(),
unknown1: cursor.i16(),
});
}
return armors;
}
function parseShields(cursor: ArrayBufferCursor, offset: number, size: number): PmtShield[] {
return parseArmors(cursor, offset, size);
}
function parseUnits(cursor: ArrayBufferCursor, offset: number, size: number): PmtUnit[] {
cursor.seekStart(offset);
const units: PmtUnit[] = [];
for (let i = 0; i < size; i++) {
units.push({
id: cursor.u32(),
type: cursor.i16(),
skin: cursor.i16(),
teamPoints: cursor.i32(),
stat: cursor.i16(),
statAmount: cursor.i16(),
plusMinus: cursor.u8(),
reserved: cursor.u8Array(3),
});
}
return units;
}
function parseTools(cursor: ArrayBufferCursor, offset: number, size: number): PmtTool[] {
cursor.seekStart(offset);
const tools: PmtTool[] = [];
for (let i = 0; i < size; i++) {
tools.push({
id: cursor.u32(),
type: cursor.i16(),
skin: cursor.i16(),
teamPoints: cursor.i32(),
amount: cursor.i16(),
tech: cursor.i16(),
cost: cursor.i32(),
itemFlag: cursor.u8(),
reserved: cursor.u8Array(3),
});
}
return tools;
}

View File

@ -0,0 +1,33 @@
import { ArrayBufferCursor } from "../ArrayBufferCursor";
import { decompress } from "../compression/prs";
export type Unitxt = string[][];
export function parseUnitxt(buf: ArrayBufferCursor, compressed: boolean = true): Unitxt {
if (compressed) {
buf = decompress(buf);
}
const categoryCount = buf.u32();
const entryCounts = buf.u32Array(categoryCount);
const categoryEntryOffsets: Array<Array<number>> = [];
for (const entryCount of entryCounts) {
categoryEntryOffsets.push(buf.u32Array(entryCount));
}
const categories: Unitxt = [];
for (const categoryEntryOffset of categoryEntryOffsets) {
const entries: string[] = [];
categories.push(entries);
for (const entryOffset of categoryEntryOffset) {
buf.seekStart(entryOffset);
const str = buf.stringUtf16(1024, true, true);
entries.push(str);
}
}
return categories;
}

View File

@ -2,6 +2,10 @@ import { Episode, checkEpisode } from ".";
export class NpcType {
readonly id: number;
/**
* Matches the constant name. E.g. the code of NpcType.Zu is "Zu".
* Uniquely identifies an NPC.
*/
readonly code: string;
/**
* Unique name. E.g. a Delsaber would have (Ep. II) appended to its name.
@ -26,8 +30,8 @@ export class NpcType {
episode: number | undefined,
enemy: boolean
) {
if (!Number.isInteger(id) || id < 1)
throw new Error(`Expected id to be an integer greater than or equal to 1, got ${id}.`);
if (!Number.isInteger(id) || id < 0)
throw new Error(`Expected id to be an integer greater than or equal to 0, got ${id}.`);
if (!code) throw new Error('code is required.');
if (!name) throw new Error('name is required.');
if (!simpleName) throw new Error('simpleName is required.');
@ -44,6 +48,8 @@ export class NpcType {
this.episode = episode;
this.enemy = enemy;
NpcType.byCodeMap.set(code, this);
if (episode) {
const map = NpcType.byEpAndName[episode];
@ -54,10 +60,16 @@ export class NpcType {
}
}
private static byCodeMap = new Map<string, NpcType>();
private static byEpAndName = [
undefined, new Map<string, NpcType>(), new Map<string, NpcType>(), undefined, new Map<string, NpcType>()
];
static byCode(code: string): NpcType | undefined {
return this.byCodeMap.get(code);
}
/**
* Uniquely identifies an NPC. Tries to match on simpleName and ultimateName.
*/
@ -206,6 +218,9 @@ export class NpcType {
static Gibbles: NpcType;
static Gee: NpcType;
static GiGue: NpcType;
static IllGill: NpcType;
static DelLily: NpcType;
static Epsilon: NpcType;
static GalGryphon: NpcType;
// Episode II Seabed
@ -217,11 +232,8 @@ export class NpcType {
static Morfos: NpcType;
static Recobox: NpcType;
static Recon: NpcType;
static Epsilon: NpcType;
static SinowZoa: NpcType;
static SinowZele: NpcType;
static IllGill: NpcType;
static DelLily: NpcType;
static OlgaFlow: NpcType;
// Episode IV
@ -250,7 +262,7 @@ export class NpcType {
}
(function () {
let id = 1;
let id = 0;
//
// Unknown NPCs
@ -399,6 +411,9 @@ export class NpcType {
NpcType.Gibbles = new NpcType(id++, 'Gibbles', 'Gibbles', 'Gibbles', 'Gibbles', 2, true);
NpcType.Gee = new NpcType(id++, 'Gee', 'Gee', 'Gee', 'Gee', 2, true);
NpcType.GiGue = new NpcType(id++, 'GiGue', 'Gi Gue', 'Gi Gue', 'Gi Gue', 2, true);
NpcType.IllGill = new NpcType(id++, 'IllGill', 'Ill Gill', 'Ill Gill', 'Ill Gill', 2, true);
NpcType.DelLily = new NpcType(id++, 'DelLily', 'Del Lily', 'Del Lily', 'Del Lily', 2, true);
NpcType.Epsilon = new NpcType(id++, 'Epsilon', 'Epsilon', 'Epsilon', 'Epsilon', 2, true);
NpcType.GalGryphon = new NpcType(id++, 'GalGryphon', 'Gal Gryphon', 'Gal Gryphon', 'Gal Gryphon', 2, true);
// Episode II Seabed
@ -410,11 +425,8 @@ export class NpcType {
NpcType.Morfos = new NpcType(id++, 'Morfos', 'Morfos', 'Morfos', 'Morfos', 2, true);
NpcType.Recobox = new NpcType(id++, 'Recobox', 'Recobox', 'Recobox', 'Recobox', 2, true);
NpcType.Recon = new NpcType(id++, 'Recon', 'Recon', 'Recon', 'Recon', 2, true);
NpcType.Epsilon = new NpcType(id++, 'Epsilon', 'Epsilon', 'Epsilon', 'Epsilon', 2, true);
NpcType.SinowZoa = new NpcType(id++, 'SinowZoa', 'Sinow Zoa', 'Sinow Zoa', 'Sinow Zoa', 2, true);
NpcType.SinowZele = new NpcType(id++, 'SinowZele', 'Sinow Zele', 'Sinow Zele', 'Sinow Zele', 2, true);
NpcType.IllGill = new NpcType(id++, 'IllGill', 'Ill Gill', 'Ill Gill', 'Ill Gill', 2, true);
NpcType.DelLily = new NpcType(id++, 'DelLily', 'Del Lily', 'Del Lily', 'Del Lily', 2, true);
NpcType.OlgaFlow = new NpcType(id++, 'OlgaFlow', 'Olga Flow', 'Olga Flow', 'Olga Flow', 2, true);
// Episode IV
@ -590,6 +602,9 @@ export const NpcTypes: Array<NpcType> = [
NpcType.Gibbles,
NpcType.Gee,
NpcType.GiGue,
NpcType.IllGill,
NpcType.DelLily,
NpcType.Epsilon,
NpcType.GalGryphon,
// Episode II Seabed
@ -601,11 +616,8 @@ export const NpcTypes: Array<NpcType> = [
NpcType.Morfos,
NpcType.Recobox,
NpcType.Recon,
NpcType.Epsilon,
NpcType.SinowZoa,
NpcType.SinowZele,
NpcType.IllGill,
NpcType.DelLily,
NpcType.OlgaFlow,
// Episode IV

View File

@ -10,7 +10,7 @@ export { NpcType } from './NpcType';
export { ObjectType } from './ObjectType';
export const RARE_ENEMY_PROB = 1 / 512;
export const KONDRIEU_PROB = 1 / 512;
export const KONDRIEU_PROB = 1 / 10;
export enum Server {
Ephinea = 'Ephinea'
@ -24,6 +24,8 @@ export enum Episode {
IV = 4
}
export const Episodes: Episode[] = enumValues(Episode);
export function checkEpisode(episode: Episode) {
if (!Episode[episode]) {
throw new Error(`Invalid episode ${episode}.`);
@ -31,25 +33,22 @@ export function checkEpisode(episode: Episode) {
}
export enum SectionId {
Viridia = 'Viridia',
Greenill = 'Greenill',
Skyly = 'Skyly',
Bluefull = 'Bluefull',
Purplenum = 'Purplenum',
Pinkal = 'Pinkal',
Redria = 'Redria',
Oran = 'Oran',
Yellowboze = 'Yellowboze',
Whitill = 'Whitill',
Viridia,
Greenill,
Skyly,
Bluefull,
Purplenum,
Pinkal,
Redria,
Oran,
Yellowboze,
Whitill,
}
export const SectionIds: SectionId[] = enumValues(SectionId);
export enum Difficulty {
Normal = 'Normal',
Hard = 'Hard',
VHard = 'VHard',
Ultimate = 'Ultimate'
Normal, Hard, VHard, Ultimate
}
export const Difficulties: Difficulty[] = enumValues(Difficulty);
@ -315,12 +314,70 @@ export class AreaVariant {
}
}
export class Item {
constructor(public name: string) { }
// Abstract base class of all item kinds.
export class ItemKind {
constructor(
readonly id: number,
readonly name: string
) {
if (Object.getPrototypeOf(this) === Object.getPrototypeOf(ItemKind))
throw new Error('Abstract class should not be instantiated directly.');
}
}
export class WeaponItemKind extends ItemKind {
constructor(
id: number,
name: string,
readonly minAtp: number,
readonly maxAtp: number,
readonly ata: number,
readonly maxGrind: number,
readonly requiredAtp: number,
) {
super(id, name);
}
}
export class ArmorItemKind extends ItemKind {
constructor(
id: number,
name: string,
) {
super(id, name);
}
}
export class ShieldItemKind extends ItemKind {
constructor(
id: number,
name: string,
) {
super(id, name);
}
}
export class UnitItemKind extends ItemKind {
constructor(
id: number,
name: string,
) {
super(id, name);
}
}
export class ToolItemKind extends ItemKind {
constructor(
id: number,
name: string,
) {
super(id, name);
}
}
type ItemDrop = {
item: Item,
item: ItemKind,
anythingRate: number,
rareRate: number
}
@ -329,9 +386,12 @@ export class EnemyDrop implements ItemDrop {
readonly rate: number;
constructor(
public readonly item: Item,
public readonly anythingRate: number,
public readonly rareRate: number
readonly difficulty: Difficulty,
readonly sectionId: SectionId,
readonly npcType: NpcType,
readonly item: ItemKind,
readonly anythingRate: number,
readonly rareRate: number
) {
this.rate = anythingRate * rareRate;
}

View File

@ -1,24 +1,59 @@
import { Difficulty, SectionId } from "./domain";
export type ItemKindDto = WeaponItemKindDto
| ArmorItemKindDto
| ShieldItemKindDto
| UnitItemKindDto
| ToolItemKindDto
export type ItemDto = {
export type WeaponItemKindDto = {
type: 'weapon',
id: number,
name: string,
minAtp: number,
maxAtp: number,
ata: number,
maxGrind: number,
requiredAtp: number,
}
export type ArmorItemKindDto = {
type: 'armor',
id: number,
name: string,
}
export type ShieldItemKindDto = {
type: 'shield',
id: number,
name: string,
}
export type UnitItemKindDto = {
type: 'unit',
id: number,
name: string,
}
export type ToolItemKindDto = {
type: 'tool',
id: number,
name: string,
}
export type EnemyDropDto = {
difficulty: Difficulty,
difficulty: string,
episode: number,
sectionId: SectionId,
sectionId: string,
enemy: string,
item: string,
itemKindId: number,
dropRate: number,
rareRate: number,
}
export type BoxDropDto = {
difficulty: Difficulty,
difficulty: string,
episode: number,
sectionId: SectionId,
box: string,
item: string,
sectionId: string,
areaId: number,
itemKindId: number,
dropRate: number,
}

View File

@ -11,6 +11,10 @@
* {
scrollbar-color: @scrollbar-thumb-color @scrollbar-color;
// Turn off all animations.
animation-duration: 0s !important;
transition-duration: 0s !important;
}
::-webkit-scrollbar {

View File

@ -3,6 +3,8 @@ import ReactDOM from 'react-dom';
import './index.less';
import { ApplicationComponent } from './ui/ApplicationComponent';
import 'react-virtualized/styles.css';
import "react-select/dist/react-select.css";
import "react-virtualized-select/styles.css";
ReactDOM.render(
<ApplicationComponent />,

View File

@ -1,24 +1,24 @@
import solver from 'javascript-lp-solver';
import { autorun, IObservableArray, observable } from "mobx";
import { Difficulties, Difficulty, HuntMethod, Item, KONDRIEU_PROB, NpcType, RARE_ENEMY_PROB, SectionId, SectionIds } from "../domain";
import { autorun, IObservableArray, observable, computed } from "mobx";
import { Difficulties, Difficulty, HuntMethod, ItemKind, KONDRIEU_PROB, NpcType, RARE_ENEMY_PROB, SectionId, SectionIds, Server } from "../domain";
import { applicationStore } from './ApplicationStore';
import { huntMethodStore } from "./HuntMethodStore";
import { itemDropStore } from './ItemDropStore';
import { itemStore } from './ItemStore';
import { itemDropStores } from './ItemDropStore';
import { itemKindStores } from './ItemKindStore';
export class WantedItem {
@observable readonly item: Item;
@observable readonly itemKind: ItemKind;
@observable amount: number;
constructor(item: Item, amount: number) {
this.item = item;
constructor(itemKind: ItemKind, amount: number) {
this.itemKind = itemKind;
this.amount = amount;
}
}
export class OptimalResult {
constructor(
readonly wantedItems: Array<Item>,
readonly wantedItems: Array<ItemKind>,
readonly optimalMethods: Array<OptimalMethod>
) { }
}
@ -32,7 +32,7 @@ export class OptimalMethod {
readonly methodName: string,
readonly methodTime: number,
readonly runs: number,
readonly itemCounts: Map<Item, number>
readonly itemCounts: Map<ItemKind, number>
) {
this.totalTime = runs * methodTime;
}
@ -44,6 +44,13 @@ export class OptimalMethod {
// Can be useful when deciding which item to hunt first.
// TODO: boxes.
class HuntOptimizerStore {
@computed get huntableItems(): Array<ItemKind> {
const itemDropStore = itemDropStores.current.value;
return itemKindStores.current.value.itemKinds.filter(i =>
itemDropStore.enemyDrops.getDropsForItemKind(i.id).length
);
}
@observable readonly wantedItems: IObservableArray<WantedItem> = observable.array();
@observable result?: OptimalResult;
@ -62,17 +69,17 @@ class HuntOptimizerStore {
loadFromLocalStorage = async () => {
const wantedItemsJson = localStorage.getItem(
`HuntOptimizerStore.wantedItems.${applicationStore.currentServer}`
`HuntOptimizerStore.wantedItems.${Server[applicationStore.currentServer]}`
);
if (wantedItemsJson) {
const items = await itemStore.items.current.promise;
const itemStore = await itemKindStores.current.promise;
const wi = JSON.parse(wantedItemsJson);
const wantedItems: WantedItem[] = [];
for (const { itemName, amount } of wi) {
const item = items.find(item => item.name === itemName);
for (const { itemKindId, amount } of wi) {
const item = itemStore.getById(itemKindId);
if (item) {
wantedItems.push(new WantedItem(item, amount));
@ -86,9 +93,12 @@ class HuntOptimizerStore {
storeInLocalStorage = () => {
try {
localStorage.setItem(
`HuntOptimizerStore.wantedItems.${applicationStore.currentServer}`,
`HuntOptimizerStore.wantedItems.${Server[applicationStore.currentServer]}`,
JSON.stringify(
this.wantedItems.map(({ item, amount }) => ({ itemName: item.name, amount }))
this.wantedItems.map(({ itemKind, amount }) => ({
itemKindId: itemKind.id,
amount
}))
)
);
} catch (e) {
@ -104,16 +114,16 @@ class HuntOptimizerStore {
// Initialize this set before awaiting data, so user changes don't affect this optimization
// run from this point on.
const wantedItems = new Set(this.wantedItems.filter(w => w.amount > 0).map(w => w.item));
const wantedItems = new Set(this.wantedItems.filter(w => w.amount > 0).map(w => w.itemKind));
const methods = await huntMethodStore.methods.current.promise;
const dropTable = await itemDropStore.enemyDrops.current.promise;
const dropTable = (await itemDropStores.current.promise).enemyDrops;
// Add a constraint per wanted item.
const constraints: { [itemName: string]: { min: number } } = {};
for (const wanted of this.wantedItems) {
constraints[wanted.item.name] = { min: wanted.amount };
constraints[wanted.itemKind.name] = { min: wanted.amount };
}
// Add a variable to the LP model per method per difficulty per section ID.
@ -261,7 +271,7 @@ class HuntOptimizerStore {
const runs = runsOrOther as number;
const variable = variables[variableName];
const items = new Map<Item, number>();
const items = new Map<ItemKind, number>();
for (const [itemName, expectedAmount] of Object.entries(variable)) {
for (const item of wantedItems) {
@ -325,8 +335,8 @@ class HuntOptimizerStore {
method: HuntMethod,
splitPanArms: boolean
): string {
let name = `${difficulty}\t${sectionId}\t${method.name}`;
if (splitPanArms) name += ' (Split Pan Arms)';
let name = `${difficulty}\t${sectionId}\t${method.id}`;
if (splitPanArms) name += '\tspa';
return name;
}
}

View File

@ -1,30 +1,54 @@
import { observable } from "mobx";
import { Difficulty, EnemyDrop, NpcType, SectionId, Server } from "../domain";
import { EnumMap } from "../enums";
import { Loadable } from "../Loadable";
import { itemStore } from "./ItemStore";
import { ServerMap } from "./ServerMap";
import { Difficulties, Difficulty, EnemyDrop, NpcType, SectionId, SectionIds, Server, ItemKind } from "../domain";
import { NpcTypes } from "../domain/NpcType";
import { EnemyDropDto } from "../dto";
import { Loadable } from "../Loadable";
import { itemKindStores } from "./ItemKindStore";
import { ServerMap } from "./ServerMap";
class EnemyDropTable {
private map: EnumMap<Difficulty, EnumMap<SectionId, Map<NpcType, EnemyDrop>>> =
new EnumMap(Difficulty, () => new EnumMap(SectionId, () => new Map()));
// Mapping of difficulties to section IDs to NpcTypes to EnemyDrops.
private table: Array<EnemyDrop> =
new Array(Difficulties.length * SectionIds.length * NpcTypes.length);
// Mapping of ItemKind ids to EnemyDrops.
private itemKindToDrops: Array<Array<EnemyDrop>> = new Array();
getDrop(difficulty: Difficulty, sectionId: SectionId, npcType: NpcType): EnemyDrop | undefined {
return this.map.get(difficulty).get(sectionId).get(npcType);
return this.table[
difficulty * SectionIds.length * NpcTypes.length
+ sectionId * NpcTypes.length
+ npcType.id
];
}
setDrop(difficulty: Difficulty, sectionId: SectionId, npcType: NpcType, drop: EnemyDrop) {
this.map.get(difficulty).get(sectionId).set(npcType, drop);
this.table[
difficulty * SectionIds.length * NpcTypes.length
+ sectionId * NpcTypes.length
+ npcType.id
] = drop;
let drops = this.itemKindToDrops[drop.item.id];
if (!drops) {
drops = [];
this.itemKindToDrops[drop.item.id] = drops;
}
drops.push(drop);
}
getDropsForItemKind(itemKindId: number): Array<EnemyDrop> {
return this.itemKindToDrops[itemKindId] || [];
}
}
class ItemDropStore {
@observable enemyDrops: ServerMap<Loadable<EnemyDropTable>> = new ServerMap(server =>
new Loadable(new EnemyDropTable(), () => this.loadEnemyDrops(server))
);
@observable enemyDrops: EnemyDropTable = new EnemyDropTable();
private loadEnemyDrops = async (server: Server): Promise<EnemyDropTable> => {
load = async (server: Server): Promise<ItemDropStore> => {
const itemKindStore = await itemKindStores.current.promise;
const response = await fetch(
`${process.env.PUBLIC_URL}/enemyDrops.${Server[server].toLowerCase()}.json`
);
@ -33,22 +57,44 @@ class ItemDropStore {
const drops = new EnemyDropTable();
for (const dropDto of data) {
const npcType = NpcType.byNameAndEpisode(dropDto.enemy, dropDto.episode);
const npcType = NpcType.byCode(dropDto.enemy);
if (!npcType) {
console.error(`Couldn't determine NpcType of episode ${dropDto.episode} ${dropDto.enemy}.`);
console.warn(`Couldn't determine NpcType of episode ${dropDto.episode} ${dropDto.enemy}.`);
continue;
}
drops.setDrop(dropDto.difficulty, dropDto.sectionId, npcType, new EnemyDrop(
itemStore.dedupItem(dropDto.item),
const difficulty = (Difficulty as any)[dropDto.difficulty];
const itemKind = itemKindStore.getById(dropDto.itemKindId);
if (!itemKind) {
console.warn(`Couldn't find item kind ${dropDto.itemKindId}.`);
continue;
}
const sectionId = (SectionId as any)[dropDto.sectionId];
if (sectionId == null) {
console.warn(`Couldn't find section ID ${dropDto.sectionId}.`);
continue;
}
drops.setDrop(difficulty, sectionId, npcType, new EnemyDrop(
difficulty,
sectionId,
npcType,
itemKind,
dropDto.dropRate,
dropDto.rareRate
));
}
return drops;
this.enemyDrops = drops;
return this;
}
}
export const itemDropStore = new ItemDropStore();
export const itemDropStores: ServerMap<Loadable<ItemDropStore>> = new ServerMap(server => {
const store = new ItemDropStore();
return new Loadable(store, () => store.load(server));
});

View File

@ -0,0 +1,80 @@
import { observable } from "mobx";
import { ItemKind, Server, WeaponItemKind, ArmorItemKind, ShieldItemKind, ToolItemKind, UnitItemKind } from "../domain";
import { Loadable } from "../Loadable";
import { ServerMap } from "./ServerMap";
import { ItemKindDto } from "../dto";
class ItemKindStore {
private idToItemKind: Array<ItemKind> = [];
@observable itemKinds: Array<ItemKind> = [];
getById(id: number): ItemKind | undefined {
return this.idToItemKind[id];
}
load = async (server: Server): Promise<ItemKindStore> => {
const response = await fetch(
`${process.env.PUBLIC_URL}/itemKinds.${Server[server].toLowerCase()}.json`
);
const data: Array<ItemKindDto> = await response.json();
const itemKinds = new Array<ItemKind>();
for (const itemKindDto of data) {
let itemKind: ItemKind;
switch (itemKindDto.type) {
case 'weapon':
itemKind = new WeaponItemKind(
itemKindDto.id,
itemKindDto.name,
itemKindDto.minAtp,
itemKindDto.maxAtp,
itemKindDto.ata,
itemKindDto.maxGrind,
itemKindDto.requiredAtp,
);
break;
case 'armor':
itemKind = new ArmorItemKind(
itemKindDto.id,
itemKindDto.name,
);
break;
case 'shield':
itemKind = new ShieldItemKind(
itemKindDto.id,
itemKindDto.name,
);
break;
case 'unit':
itemKind = new UnitItemKind(
itemKindDto.id,
itemKindDto.name,
);
break;
case 'tool':
itemKind = new ToolItemKind(
itemKindDto.id,
itemKindDto.name,
);
break;
default:
continue;
}
this.idToItemKind[itemKind.id] = itemKind;
itemKinds.push(itemKind);
}
this.itemKinds = itemKinds;
return this;
}
}
export const itemKindStores: ServerMap<Loadable<ItemKindStore>> = new ServerMap(server => {
const store = new ItemKindStore();
return new Loadable(store, () => store.load(server));
});

View File

@ -1,33 +0,0 @@
import { observable } from "mobx";
import { Item, Server } from "../domain";
import { Loadable } from "../Loadable";
import { ServerMap } from "./ServerMap";
import { ItemDto } from "../dto";
class ItemStore {
private itemMap = new Map<string, Item>();
@observable items: ServerMap<Loadable<Array<Item>>> = new ServerMap(server =>
new Loadable([], () => this.loadItems(server))
);
dedupItem = (name: string): Item => {
let item = this.itemMap.get(name);
if (!item) {
this.itemMap.set(name, item = new Item(name));
}
return item;
}
private async loadItems(server: Server): Promise<Item[]> {
const response = await fetch(
`${process.env.PUBLIC_URL}/items.${Server[server].toLowerCase()}.json`
);
const data: Array<ItemDto> = await response.json();
return data.map(({ name }) => this.dedupItem(name));
}
}
export const itemStore = new ItemStore();

38
src/ui/BigSelect.less Normal file
View File

@ -0,0 +1,38 @@
.BigSelect.Select {
& > .Select-control {
cursor: pointer;
background-color: @component-background;
color: @text-color;
height: 32px;
border-color: @border-color-base;
border-radius: @border-radius-base;
}
& .Select-placeholder, & .Select--single > .Select-control .Select-value {
line-height: 32px;
}
& .Select-input {
height: 30px;
}
&:hover > .Select-control {
border-color: #29bfff;
}
&.is-focused > .Select-control {
background-color: @component-background;
border-color: #29bfff;
}
&.is-focused:not(.is-open) > .Select-control {
background-color: @component-background;
border-color: #29bfff;
}
& > .Select-menu-outer {
margin-top: 0;
background-color: @component-background;
border-color: @border-color-base;
}
}

19
src/ui/BigSelect.tsx Normal file
View File

@ -0,0 +1,19 @@
import React, { PureComponent } from "react";
import { OptionValues, ReactAsyncSelectProps, ReactCreatableSelectProps, ReactSelectProps } from "react-select";
import VirtualizedSelect, { AdditionalVirtualizedSelectProps } from "react-virtualized-select";
import "./BigSelect.less";
/**
* Simply wraps {@link VirtualizedSelect} to provide consistent styling.
*/
export class BigSelect<TValue = OptionValues> extends PureComponent<VirtualizedSelectProps<TValue>> {
render() {
return (
<VirtualizedSelect className="BigSelect" {...this.props} />
);
}
}
// Copied from react-virtualized-select.
type VirtualizedSelectProps<TValue = OptionValues> = (ReactCreatableSelectProps<TValue> & ReactAsyncSelectProps<TValue> & AdditionalVirtualizedSelectProps<TValue> & { async: true }) |
ReactCreatableSelectProps<TValue> & ReactSelectProps<TValue> & AdditionalVirtualizedSelectProps<TValue>;

View File

@ -1,6 +1,6 @@
import React, { ReactNode } from "react";
import { GridCellRenderer, Index, MultiGrid } from "react-virtualized";
import "./dataTable.less";
import "./BigTable.less";
export type Column<T> = {
name: string,
@ -17,9 +17,10 @@ export type Column<T> = {
/**
* A table with a fixed header. Optionally has fixed columns and a footer.
* Uses windowing to support large amounts of rows and columns.
* TODO: no-content message.
*/
export class DataTable<T> extends React.Component<{
export class BigTable<T> extends React.Component<{
width: number,
height: number,
rowCount: number,

View File

@ -17,7 +17,7 @@ export function SectionIdIcon({
display: 'inline-block',
width: size,
height: size,
backgroundImage: `url(${process.env.PUBLIC_URL}/images/sectionids/${sectionId}.png)`,
backgroundImage: `url(${process.env.PUBLIC_URL}/images/sectionids/${SectionId[sectionId]}.png)`,
backgroundSize: size
}}
/>

View File

@ -6,7 +6,7 @@ import { AutoSizer, Index } from "react-virtualized";
import { HuntMethod } from "../../domain";
import { EnemyNpcTypes } from "../../domain/NpcType";
import { huntMethodStore } from "../../stores/HuntMethodStore";
import { Column, DataTable } from "../dataTable";
import { Column, BigTable } from "../BigTable";
import "./MethodsComponent.css";
import { hoursToString } from "../time";
@ -53,7 +53,7 @@ export class MethodsComponent extends React.Component {
<section className="ho-MethodsComponent">
<AutoSizer>
{({ width, height }) => (
<DataTable<HuntMethod>
<BigTable<HuntMethod>
width={width}
height={height}
rowCount={methods.length}

View File

@ -2,8 +2,9 @@ import { computed } from "mobx";
import { observer } from "mobx-react";
import React from "react";
import { AutoSizer, Index } from "react-virtualized";
import { Difficulty, SectionId } from "../../domain";
import { huntOptimizerStore, OptimalMethod } from "../../stores/HuntOptimizerStore";
import { Column, DataTable } from "../dataTable";
import { Column, BigTable } from "../BigTable";
import { SectionIdIcon } from "../SectionIdIcon";
import { hoursToString } from "../time";
import "./OptimizationResultComponent.less";
@ -26,7 +27,7 @@ export class OptimizationResultComponent extends React.Component {
{
name: 'Difficulty',
width: 75,
cellRenderer: (result) => result.difficulty,
cellRenderer: (result) => Difficulty[result.difficulty],
footerValue: 'Totals:',
},
{
@ -45,7 +46,7 @@ export class OptimizationResultComponent extends React.Component {
)}
</div>
),
tooltip: (result) => result.sectionIds.join(', '),
tooltip: (result) => result.sectionIds.map(sid => SectionId[sid]).join(', '),
},
{
name: 'Time/Run',
@ -105,7 +106,7 @@ export class OptimizationResultComponent extends React.Component {
// Make sure render is called when result changes.
@computed private get updateTrigger() {
return huntOptimizerStore.result != null;
return huntOptimizerStore.result;
}
render() {
@ -118,7 +119,7 @@ export class OptimizationResultComponent extends React.Component {
<div className="ho-OptimizationResultComponent-table">
<AutoSizer>
{({ width, height }) =>
<DataTable
<BigTable
width={width}
height={height}
rowCount={result ? result.optimalMethods.length : 0}

View File

@ -4,6 +4,10 @@
margin: 0 10px;
}
.ho-WantedItemsComponent-top-bar {
display: flex;
}
.ho-WantedItemsComponent-table {
position: relative;
flex: 1;

View File

@ -1,9 +1,10 @@
import { Button, InputNumber, Select, Popover } from "antd";
import { Button, InputNumber, Popover } from "antd";
import { observer } from "mobx-react";
import React from "react";
import { AutoSizer, Column, Table, TableCellRenderer } from "react-virtualized";
import { huntOptimizerStore, WantedItem } from "../../stores/HuntOptimizerStore";
import { itemStore } from "../../stores/ItemStore";
import { itemKindStores } from "../../stores/ItemKindStore";
import { BigSelect } from "../BigSelect";
import './WantedItemsComponent.less';
@observer
@ -29,22 +30,17 @@ export class WantedItemsComponent extends React.Component {
<Button icon="info-circle" type="link" />
</Popover>
</h3>
<div>
<Select
value={undefined}
showSearch
<div className="ho-WantedItemsComponent-top-bar">
<BigSelect
placeholder="Add an item"
optionFilterProp="children"
value={undefined}
style={{ width: 200 }}
filterOption
options={huntOptimizerStore.huntableItems.map(itemKind => ({
label: itemKind.name,
value: itemKind.id
}))}
onChange={this.addWanted}
>
{itemStore.items.current.value.map(item => (
<Select.Option key={item.name}>
{item.name}
</Select.Option>
))}
</Select>
/>
<Button
onClick={huntOptimizerStore.optimize}
style={{ marginLeft: 10 }}
@ -77,7 +73,9 @@ export class WantedItemsComponent extends React.Component {
dataKey="item"
width={150}
flexGrow={1}
cellDataGetter={({ rowData }) => rowData.item.name}
cellDataGetter={({ rowData }) =>
(rowData as WantedItem).itemKind.name
}
/>
<Column
dataKey="remove"
@ -92,12 +90,14 @@ export class WantedItemsComponent extends React.Component {
);
}
private addWanted = (itemName: string) => {
let added = huntOptimizerStore.wantedItems.find(w => w.item.name === itemName);
private addWanted = (selected: any) => {
if (selected) {
let added = huntOptimizerStore.wantedItems.find(w => w.itemKind.id === selected.value);
if (!added) {
const item = itemStore.items.current.value.find(i => i.name === itemName)!;
huntOptimizerStore.wantedItems.push(new WantedItem(item, 1));
const itemKind = itemKindStores.current.value.getById(selected.value)!;
huntOptimizerStore.wantedItems.push(new WantedItem(itemKind, 1));
}
}
}

Binary file not shown.

Binary file not shown.

Binary file not shown.

View File

@ -1,14 +1,14 @@
import 'isomorphic-fetch';
import cheerio from 'cheerio';
import fs from 'fs';
import { Difficulty, SectionIds } from '../src/domain';
import { EnemyDropDto, ItemDto, BoxDropDto } from '../src/dto';
import 'isomorphic-fetch';
import { Difficulty, NpcType, SectionId, SectionIds } from '../src/domain';
import { BoxDropDto, EnemyDropDto, ItemKindDto } from '../src/dto';
async function update() {
const normal = await download(Difficulty.Normal);
const hard = await download(Difficulty.Hard);
const vhard = await download(Difficulty.VHard, 'very-hard');
const ultimate = await download(Difficulty.Ultimate);
export async function updateDropsFromWebsite(items: ItemKindDto[]) {
const normal = await download(items, Difficulty.Normal);
const hard = await download(items, Difficulty.Hard);
const vhard = await download(items, Difficulty.VHard, 'very-hard');
const ultimate = await download(items, Difficulty.Ultimate);
const enemyJson = JSON.stringify([
...normal.enemyDrops,
@ -27,15 +27,13 @@ async function update() {
], null, 4);
await fs.promises.writeFile('./public/boxDrops.ephinea.json', boxJson);
const itemNames = new Set([...normal.items, ...hard.items, ...vhard.items, ...ultimate.items]);
const items: Array<ItemDto> = [...itemNames].sort().map(name => ({ name }));
const itemsJson = JSON.stringify(items, null, 4);
await fs.promises.writeFile('./public/items.ephinea.json', itemsJson);
}
async function download(difficulty: Difficulty, difficultyUrl: string = difficulty.toLowerCase()) {
async function download(
items: ItemKindDto[],
difficulty: Difficulty,
difficultyUrl: string = Difficulty[difficulty].toLowerCase()
) {
const response = await fetch(`https://ephinea.pioneer2.net/drop-charts/${difficultyUrl}/`);
const body = await response.text();
const $ = cheerio.load(body);
@ -61,8 +59,9 @@ async function download(difficulty: Difficulty, difficultyUrl: string = difficul
}
try {
let enemyOrBox = enemyOrBoxText.split('/')[difficulty === Difficulty.Ultimate ? 1 : 0]
|| enemyOrBoxText;
let enemyOrBox = enemyOrBoxText.split('/')[
difficulty === Difficulty.Ultimate ? 1 : 0
] || enemyOrBoxText;
if (enemyOrBox === 'Halo Rappy') {
enemyOrBox = 'Hallo Rappy';
@ -84,22 +83,23 @@ async function download(difficulty: Difficulty, difficultyUrl: string = difficul
const sectionId = SectionIds[tdI - 1];
if (isBox) {
$('font font', td).each((_, font) => {
const item = $('b', font).text();
const rateNum = parseFloat($('sup', font).text());
const rateDenom = parseFloat($('sub', font).text());
// TODO:
// $('font font', td).each((_, font) => {
// const item = $('b', font).text();
// const rateNum = parseFloat($('sup', font).text());
// const rateDenom = parseFloat($('sub', font).text());
data.boxDrops.push({
difficulty,
episode,
sectionId,
box: enemyOrBox,
item,
dropRate: rateNum / rateDenom
});
// data.boxDrops.push({
// difficulty: Difficulty[difficulty],
// episode,
// sectionId: SectionId[sectionId],
// box: enemyOrBox,
// item,
// dropRate: rateNum / rateDenom
// });
data.items.add(item);
});
// data.items.add(item);
// });
return;
} else {
const item = $('font b', td).text();
@ -109,6 +109,18 @@ async function download(difficulty: Difficulty, difficultyUrl: string = difficul
}
try {
const itemKind = items.find(i => i.name === item);
if (!itemKind) {
throw new Error(`No item kind found with name "${item}".`)
}
const npcType = NpcType.byNameAndEpisode(enemyOrBox, episode);
if (!npcType) {
throw new Error(`Couldn't retrieve NpcType.`);
}
const title = $('font abbr', td).attr('title').replace('\r', '');
const [, dropRateNum, dropRateDenom] =
/Drop Rate: (\d+)\/(\d+(\.\d+)?)/g.exec(title)!.map(parseFloat);
@ -116,18 +128,18 @@ async function download(difficulty: Difficulty, difficultyUrl: string = difficul
/Rare Rate: (\d+)\/(\d+(\.\d+)?)/g.exec(title)!.map(parseFloat);
data.enemyDrops.push({
difficulty,
difficulty: Difficulty[difficulty],
episode,
sectionId,
enemy: enemyOrBox,
item,
sectionId: SectionId[sectionId],
enemy: npcType.code,
itemKindId: itemKind.id,
dropRate: dropRateNum / dropRateDenom,
rareRate: rareRateNum / rareRateDenom,
});
data.items.add(item);
} catch (e) {
console.error(`Error while processing item ${item} of ${enemyOrBox} in episode ${episode} ${difficulty}.`, e);
console.error(`Error while processing item ${item} of ${enemyOrBox} in episode ${episode} ${Difficulty[difficulty]}.`, e);
}
}
});
@ -139,7 +151,3 @@ async function download(difficulty: Difficulty, difficultyUrl: string = difficul
return data;
}
update().catch((e) => {
console.error(e);
});

826
static/updateEphineaData.ts Normal file
View File

@ -0,0 +1,826 @@
import fs from 'fs';
import { ArrayBufferCursor } from '../src/bin-data/ArrayBufferCursor';
import { parseItemPmt } from '../src/bin-data/parsing/itempmt';
import { parseUnitxt, Unitxt } from '../src/bin-data/parsing/unitxt';
import { Difficulties, Difficulty, Episode, Episodes, NpcType, SectionId, SectionIds } from '../src/domain';
import { NpcTypes } from '../src/domain/NpcType';
import { BoxDropDto, EnemyDropDto, ItemKindDto } from '../src/dto';
import { updateDropsFromWebsite } from './updateDropsEphinea';
/**
* Used by scripts.
*/
const RESOURCE_DIR = './static/resources/ephinea';
/**
* Used by production code.
*/
const PUBLIC_DIR = './public';
update().catch(e => console.error(e));
/**
* ItemPMT.bin and ItemPT.gsl comes from stock Tethealla. ItemPT.gsl is not used at the moment.
* unitxt_j.prs comes from the Ephinea client.
* TODO: manual fixes:
* - Clio is equipable by HUnewearls
* - Red Ring has a requirement of 180, not 108
*/
async function update() {
const unitxt = await loadUnitxt();
const itemNames = unitxt[1];
const items = await updateItems(itemNames);
await updateDropsFromWebsite(items);
// Use this if we ever get the Ephinea drop files.
// const itemPt = await loadItemPt();
// await updateDrops(itemPt);
}
async function loadUnitxt(): Promise<Unitxt> {
const buf = await fs.promises.readFile(
`${RESOURCE_DIR}/client/data/unitxt_j.prs`
);
const unitxt = parseUnitxt(new ArrayBufferCursor(buf.buffer, true));
// Strip custom Ephinea items until we have the Ephinea ItemPMT.bin.
unitxt[1].splice(177, 50);
unitxt[1].splice(639, 59);
return unitxt;
}
async function updateItems(itemNames: Array<string>): Promise<ItemKindDto[]> {
const buf = await fs.promises.readFile(
`${RESOURCE_DIR}/ship-config/param/ItemPMT.bin`
);
const itemPmt = parseItemPmt(new ArrayBufferCursor(buf.buffer, true));
const items = new Array<ItemKindDto>();
const ids = new Set<number>();
itemPmt.weapons.forEach((category, categoryI) => {
category.forEach((weapon, i) => {
const id = (categoryI << 8) + i;
if (!ids.has(id)) {
ids.add(id);
items.push({
type: 'weapon',
id,
name: itemNames[weapon.id],
minAtp: weapon.minAtp,
maxAtp: weapon.maxAtp,
ata: weapon.ata,
maxGrind: weapon.maxGrind,
requiredAtp: weapon.reqAtp,
});
}
});
});
itemPmt.armors.forEach((armor, i) => {
const id = 0x10100 + i;
if (!ids.has(id)) {
ids.add(id);
items.push({
type: 'armor',
id,
name: itemNames[armor.id],
});
}
});
itemPmt.shields.forEach((shield, i) => {
const id = 0x10200 + i;
if (!ids.has(id)) {
ids.add(id);
items.push({
type: 'shield',
id,
name: itemNames[shield.id],
});
}
});
itemPmt.units.forEach((unit, i) => {
const id = 0x10300 + i;
if (!ids.has(id)) {
ids.add(id);
items.push({
type: 'unit',
id,
name: itemNames[unit.id],
});
}
});
itemPmt.tools.forEach((category, categoryI) => {
category.forEach((tool, i) => {
const id = (0x30000 | (categoryI << 8)) + i;
if (!ids.has(id)) {
ids.add(id);
items.push({
type: 'tool',
id,
name: itemNames[tool.id],
});
}
});
});
await fs.promises.writeFile(
`${PUBLIC_DIR}/itemKinds.ephinea.json`,
JSON.stringify(items, null, 4)
);
return items;
}
async function updateDrops(itemPt: ItemPt) {
const enemyDrops = new Array<EnemyDropDto>();
for (const diff of Difficulties) {
for (const ep of Episodes) {
for (const sid of SectionIds) {
enemyDrops.push(...await loadEnemyDrops(itemPt, diff, ep, sid));
}
}
}
await fs.promises.writeFile(
`${PUBLIC_DIR}/enemyDrops.ephinea.json`,
JSON.stringify(enemyDrops, null, 4)
);
const boxDrops = new Array<BoxDropDto>();
for (const diff of Difficulties) {
for (const ep of Episodes) {
for (const sid of SectionIds) {
boxDrops.push(...await loadBoxDrops(diff, ep, sid));
}
}
}
await fs.promises.writeFile(
`${PUBLIC_DIR}/boxDrops.ephinea.json`,
JSON.stringify(boxDrops, null, 4)
);
}
type ItemP = {
darTable: Map<NpcType, number>
}
type ItemPt = Array<Array<Array<ItemP>>>
async function loadItemPt(): Promise<ItemPt> {
const table: ItemPt = [];
const buf = await fs.promises.readFile(
`${RESOURCE_DIR}/ship-config/param/ItemPT.gsl`
);
const cursor = new ArrayBufferCursor(buf.buffer, false);
cursor.seek(0x3000);
// ItemPT.gsl was extracted from PSO for XBox, so it only contains data for ep. I and II.
// Episode IV data is based on the ep. I and II data.
for (const episode of [Episode.I, Episode.II]) {
table[episode] = [];
for (const diff of Difficulties) {
table[episode][diff] = [];
for (const sid of SectionIds) {
const darTable = new Map<NpcType, number>();
table[episode][diff][sid] = {
darTable
};
const startPos = cursor.position;
cursor.seek(1608);
const enemyDar = cursor.u8Array(100);
for (const npc of NpcTypes) {
if (npc.episode !== episode) continue;
switch (npc) {
case NpcType.Dragon:
case NpcType.DeRolLe:
case NpcType.VolOpt:
case NpcType.DarkFalz:
case NpcType.BarbaRay:
case NpcType.GolDragon:
case NpcType.GalGryphon:
case NpcType.OlgaFlow:
case NpcType.SaintMilion:
case NpcType.Shambertin:
case NpcType.Kondrieu:
darTable.set(npc, 1);
continue;
}
const ptIndex = npcTypeToPtIndex(npc);
if (ptIndex != null) {
darTable.set(npc, enemyDar[ptIndex] / 100);
}
}
cursor.seekStart(startPos + 0x1000);
}
}
}
table[Episode.IV] = [];
for (const diff of Difficulties) {
table[Episode.IV][diff] = [];
for (const sid of SectionIds) {
const darTable = new Map<NpcType, number>();
table[Episode.IV][diff][sid] = {
darTable
};
for (const npc of NpcTypes) {
if (npc.episode !== Episode.IV) continue;
switch (npc) {
case NpcType.SandRappy:
darTable.set(
npc,
table[Episode.I][diff][sid].darTable.get(NpcType.RagRappy)!
);
break;
case NpcType.DelRappy:
darTable.set(
npc,
table[Episode.I][diff][sid].darTable.get(NpcType.AlRappy)!
);
break;
case NpcType.Astark:
darTable.set(
npc,
table[Episode.I][diff][sid].darTable.get(NpcType.Hildebear)!
);
break;
case NpcType.SatelliteLizard:
darTable.set(
npc,
table[Episode.I][diff][sid].darTable.get(NpcType.SavageWolf)!
);
break;
case NpcType.Yowie:
darTable.set(
npc,
table[Episode.I][diff][sid].darTable.get(NpcType.BarbarousWolf)!
);
break;
case NpcType.MerissaA:
darTable.set(
npc,
table[Episode.I][diff][sid].darTable.get(NpcType.PofuillySlime)!
);
break;
case NpcType.MerissaAA:
darTable.set(
npc,
table[Episode.I][diff][sid].darTable.get(NpcType.PouillySlime)!
);
break;
case NpcType.Girtablulu:
darTable.set(
npc,
table[Episode.II][diff][sid].darTable.get(NpcType.Mericarol)!
);
break;
case NpcType.Zu:
darTable.set(
npc,
table[Episode.II][diff][sid].darTable.get(NpcType.GiGue)!
);
break;
case NpcType.Pazuzu:
darTable.set(
npc,
table[Episode.I][diff][sid].darTable.get(NpcType.Hildeblue)!
);
break;
case NpcType.Boota:
darTable.set(
npc,
table[Episode.I][diff][sid].darTable.get(NpcType.Booma)!
);
break;
case NpcType.ZeBoota:
darTable.set(
npc,
table[Episode.I][diff][sid].darTable.get(NpcType.Gobooma)!
);
break;
case NpcType.BaBoota:
darTable.set(
npc,
table[Episode.I][diff][sid].darTable.get(NpcType.Gigobooma)!
);
break;
case NpcType.Dorphon:
darTable.set(
npc,
table[Episode.II][diff][sid].darTable.get(NpcType.Delbiter)!
);
break;
case NpcType.DorphonEclair:
darTable.set(
npc,
table[Episode.I][diff][sid].darTable.get(NpcType.Hildeblue)!
);
break;
case NpcType.Goran:
darTable.set(
npc,
table[Episode.I][diff][sid].darTable.get(NpcType.Dimenian)!
);
break;
case NpcType.PyroGoran:
darTable.set(
npc,
table[Episode.I][diff][sid].darTable.get(NpcType.LaDimenian)!
);
break;
case NpcType.GoranDetonator:
darTable.set(
npc,
table[Episode.I][diff][sid].darTable.get(NpcType.SoDimenian)!
);
break;
case NpcType.SaintMilion:
darTable.set(
npc,
table[Episode.I][diff][sid].darTable.get(NpcType.DarkFalz)!
);
break;
case NpcType.Shambertin:
darTable.set(
npc,
table[Episode.I][diff][sid].darTable.get(NpcType.DarkFalz)!
);
break;
case NpcType.Kondrieu:
darTable.set(
npc,
table[Episode.I][diff][sid].darTable.get(NpcType.DarkFalz)!
);
break;
}
}
}
}
return table;
}
async function loadEnemyDrops(
itemPt: ItemPt,
difficulty: Difficulty,
episode: Episode,
sectionId: SectionId
): Promise<Array<EnemyDropDto>> {
const drops: Array<EnemyDropDto> = [];
const dropsBuf = await fs.promises.readFile(
`${RESOURCE_DIR}/login-config/drop/ep${episode}_mob_${difficulty}_${sectionId}.txt`
);
let lineNo = 0;
let prevLine = '';
for (const line of dropsBuf.toString('utf8').split('\n')) {
const trimmed = line.trim();
if (trimmed.startsWith('#')) continue;
if (lineNo % 2 == 1) {
let enemy = getEnemyType(episode, Math.floor(lineNo / 2));
if (enemy) {
const rareRate = expandDropRate(parseInt(prevLine, 10));
const itemId = parseInt(trimmed, 16);
const dar = itemPt[episode][difficulty][sectionId].darTable.get(enemy);
if (dar == null) {
console.error(`No DAR found for ${enemy.name}.`);
} else if (rareRate > 0 && itemId) {
drops.push({
difficulty: Difficulty[difficulty],
episode: episode,
sectionId: SectionId[sectionId],
enemy: enemy.code,
itemKindId: itemId,
dropRate: dar,
rareRate,
});
}
}
}
prevLine = trimmed;
lineNo++;
}
return drops;
}
async function loadBoxDrops(
difficulty: Difficulty,
episode: Episode,
sectionId: SectionId
): Promise<Array<BoxDropDto>> {
const drops: Array<BoxDropDto> = [];
const dropsBuf = await fs.promises.readFile(
`${RESOURCE_DIR}/login-config/drop/ep${episode}_box_${difficulty}_${sectionId}.txt`
);
let lineNo = 0;
let prevLine = '';
let prevPrevLine = '';
for (const line of dropsBuf.toString('utf8').split('\n')) {
const trimmed = line.trim();
if (trimmed.startsWith('#')) continue;
if (lineNo % 3 == 2) {
const areaId = parseInt(prevPrevLine, 10);
const dropRate = expandDropRate(parseInt(prevLine, 10));
const itemId = parseInt(trimmed, 16);
if (dropRate > 0 && itemId) {
drops.push({
difficulty: Difficulty[difficulty],
episode: episode,
sectionId: SectionId[sectionId],
areaId,
itemKindId: itemId,
dropRate,
});
}
}
prevPrevLine = prevLine;
prevLine = trimmed;
lineNo++;
}
return drops;
}
function getEnemyType(episode: Episode, index: number) {
if (episode === Episode.I) {
return [
undefined,
NpcType.Hildebear,
NpcType.Hildeblue,
NpcType.Mothmant,
NpcType.Monest,
NpcType.RagRappy,
NpcType.AlRappy,
NpcType.SavageWolf,
NpcType.BarbarousWolf,
NpcType.Booma,
NpcType.Gobooma,
NpcType.Gigobooma,
NpcType.GrassAssassin,
NpcType.PoisonLily,
NpcType.NarLily,
NpcType.NanoDragon,
NpcType.EvilShark,
NpcType.PalShark,
NpcType.GuilShark,
NpcType.PofuillySlime,
NpcType.PouillySlime,
NpcType.PanArms,
NpcType.Migium,
NpcType.Hidoom,
NpcType.Dubchic,
NpcType.Garanz,
NpcType.SinowBeat,
NpcType.SinowGold,
NpcType.Canadine,
NpcType.Canane,
NpcType.Delsaber,
NpcType.ChaosSorcerer,
undefined,
undefined,
NpcType.DarkGunner,
NpcType.DeathGunner,
NpcType.ChaosBringer,
NpcType.DarkBelra,
NpcType.Claw,
NpcType.Bulk,
NpcType.Bulclaw,
NpcType.Dimenian,
NpcType.LaDimenian,
NpcType.SoDimenian,
NpcType.Dragon,
NpcType.DeRolLe,
NpcType.VolOpt,
NpcType.DarkFalz,
undefined,
undefined,
NpcType.Gilchic
][index];
} else if (episode === Episode.II) {
return [
undefined,
NpcType.Hildebear2,
NpcType.Hildeblue2,
NpcType.Mothmant2,
NpcType.Monest2,
NpcType.RagRappy2,
undefined,
NpcType.SavageWolf2,
NpcType.BarbarousWolf2,
undefined,
undefined,
undefined,
NpcType.GrassAssassin2,
NpcType.PoisonLily2,
NpcType.NarLily2,
undefined,
undefined,
undefined,
undefined,
undefined,
undefined,
NpcType.PanArms2,
NpcType.Migium2,
NpcType.Hidoom2,
NpcType.Dubchic2,
NpcType.Garanz2,
undefined,
undefined,
undefined,
undefined,
NpcType.Delsaber2,
NpcType.ChaosSorcerer2,
undefined,
undefined,
undefined,
undefined,
undefined,
NpcType.DarkBelra2,
undefined,
undefined,
undefined,
NpcType.Dimenian2,
NpcType.LaDimenian2,
NpcType.SoDimenian2,
undefined,
undefined,
undefined,
undefined,
undefined,
undefined,
NpcType.Gilchic2,
NpcType.LoveRappy,
NpcType.Merillia,
NpcType.Meriltas,
NpcType.Gee,
NpcType.GiGue,
NpcType.Mericarol,
NpcType.Merikle,
NpcType.Mericus,
NpcType.UlGibbon,
NpcType.ZolGibbon,
NpcType.Gibbles,
NpcType.SinowBerill,
NpcType.SinowSpigell,
NpcType.Dolmolm,
NpcType.Dolmdarl,
NpcType.Morfos,
undefined,
NpcType.Recon,
NpcType.SinowZoa,
NpcType.SinowZele,
NpcType.Deldepth,
NpcType.Delbiter,
NpcType.BarbaRay,
undefined,
undefined,
NpcType.GolDragon,
NpcType.GalGryphon,
NpcType.OlgaFlow,
NpcType.StRappy,
NpcType.HalloRappy,
NpcType.EggRappy,
NpcType.IllGill,
NpcType.DelLily,
NpcType.Epsilon,
][index];
} else {
return [
undefined,
NpcType.Astark,
NpcType.Yowie,
NpcType.SatelliteLizard,
NpcType.MerissaA,
NpcType.MerissaAA,
NpcType.Girtablulu,
NpcType.Zu,
NpcType.Pazuzu,
NpcType.Boota,
NpcType.ZeBoota,
NpcType.BaBoota,
NpcType.Dorphon,
NpcType.DorphonEclair,
NpcType.Goran,
NpcType.GoranDetonator,
NpcType.PyroGoran,
NpcType.SandRappy,
NpcType.DelRappy,
NpcType.SaintMilion,
NpcType.Shambertin,
NpcType.Kondrieu,
][index];
}
}
function expandDropRate(pc: number): number {
let shift = ((pc >> 3) & 0x1F) - 4;
if (shift < 0) shift = 0;
return ((2 << shift) * ((pc & 7) + 7)) / 4294967296;
}
function npcTypeToPtIndex(type: NpcType): number | undefined {
switch (type) {
// Episode I Forest
case NpcType.Hildebear: return 1;
case NpcType.Hildeblue: return 2;
case NpcType.RagRappy: return 5;
case NpcType.AlRappy: return 6;
case NpcType.Monest: return 4;
case NpcType.Mothmant: return 3;
case NpcType.SavageWolf: return 7;
case NpcType.BarbarousWolf: return 8;
case NpcType.Booma: return 9;
case NpcType.Gobooma: return 10;
case NpcType.Gigobooma: return 11;
case NpcType.Dragon: return 44;
// Episode I Caves
case NpcType.GrassAssassin: return 12;
case NpcType.PoisonLily: return 13;
case NpcType.NarLily: return 14;
case NpcType.NanoDragon: return 15;
case NpcType.EvilShark: return 16;
case NpcType.PalShark: return 17;
case NpcType.GuilShark: return 18;
case NpcType.PofuillySlime: return 19;
case NpcType.PouillySlime: return 20;
case NpcType.PanArms: return 21;
case NpcType.Migium: return 22;
case NpcType.Hidoom: return 23;
case NpcType.DeRolLe: return 45;
// Episode I Mines
case NpcType.Dubchic: return 24;
case NpcType.Gilchic: return 50;
case NpcType.Garanz: return 25;
case NpcType.SinowBeat: return 26;
case NpcType.SinowGold: return 27;
case NpcType.Canadine: return 28;
case NpcType.Canane: return 29;
case NpcType.Dubswitch: return undefined;
case NpcType.VolOpt: return 46;
// Episode I Ruins
case NpcType.Delsaber: return 30;
case NpcType.ChaosSorcerer: return 31;
case NpcType.DarkGunner: return 34;
case NpcType.DeathGunner: return 35;
case NpcType.ChaosBringer: return 36;
case NpcType.DarkBelra: return 37;
case NpcType.Dimenian: return 41;
case NpcType.LaDimenian: return 42;
case NpcType.SoDimenian: return 43;
case NpcType.Bulclaw: return 40;
case NpcType.Bulk: return 39;
case NpcType.Claw: return 38;
case NpcType.DarkFalz: return 47;
// Episode II VR Temple
case NpcType.Hildebear2: return 1;
case NpcType.Hildeblue2: return 2;
case NpcType.RagRappy2: return 5;
case NpcType.LoveRappy: return 51;
case NpcType.StRappy: return 79;
case NpcType.HalloRappy: return 80;
case NpcType.EggRappy: return 81;
case NpcType.Monest2: return 4;
case NpcType.Mothmant2: return 3;
case NpcType.PoisonLily2: return 13;
case NpcType.NarLily2: return 14;
case NpcType.GrassAssassin2: return 12;
case NpcType.Dimenian2: return 41;
case NpcType.LaDimenian2: return 42;
case NpcType.SoDimenian2: return 43;
case NpcType.DarkBelra2: return 37;
case NpcType.BarbaRay: return 73;
// Episode II VR Spaceship
case NpcType.SavageWolf2: return 7;
case NpcType.BarbarousWolf2: return 8;
case NpcType.PanArms2: return 21;
case NpcType.Migium2: return 22;
case NpcType.Hidoom2: return 23;
case NpcType.Dubchic2: return 24;
case NpcType.Gilchic2: return 50;
case NpcType.Garanz2: return 25;
case NpcType.Dubswitch2: return undefined;
case NpcType.Delsaber2: return 30;
case NpcType.ChaosSorcerer2: return 31;
case NpcType.GolDragon: return 76;
// Episode II Central Control Area
case NpcType.SinowBerill: return 62;
case NpcType.SinowSpigell: return 63;
case NpcType.Merillia: return 52;
case NpcType.Meriltas: return 53;
case NpcType.Mericarol: return 56;
case NpcType.Mericus: return 58;
case NpcType.Merikle: return 57;
case NpcType.UlGibbon: return 59;
case NpcType.ZolGibbon: return 60;
case NpcType.Gibbles: return 61;
case NpcType.Gee: return 54;
case NpcType.GiGue: return 55;
case NpcType.IllGill: return 82;
case NpcType.DelLily: return 83;
case NpcType.Epsilon: return 84;
case NpcType.GalGryphon: return 77;
// Episode II Seabed
case NpcType.Deldepth: return 71;
case NpcType.Delbiter: return 72;
case NpcType.Dolmolm: return 64;
case NpcType.Dolmdarl: return 65;
case NpcType.Morfos: return 66;
case NpcType.Recobox: return 67;
case NpcType.Recon: return 68;
case NpcType.SinowZoa: return 69;
case NpcType.SinowZele: return 70;
case NpcType.OlgaFlow: return 78;
// Episode IV
case NpcType.SandRappy: return 17;
case NpcType.DelRappy: return 18;
case NpcType.Astark: return 1;
case NpcType.SatelliteLizard: return 3;
case NpcType.Yowie: return 2;
case NpcType.MerissaA: return 4;
case NpcType.MerissaAA: return 5;
case NpcType.Girtablulu: return 6;
case NpcType.Zu: return 7;
case NpcType.Pazuzu: return 8;
case NpcType.Boota: return 9;
case NpcType.ZeBoota: return 10;
case NpcType.BaBoota: return 11;
case NpcType.Dorphon: return 12;
case NpcType.DorphonEclair: return 13;
case NpcType.Goran: return 14;
case NpcType.PyroGoran: return 16;
case NpcType.GoranDetonator: return 15;
case NpcType.SaintMilion: return 19;
case NpcType.Shambertin: return 20;
case NpcType.Kondrieu: return 21;
default: return undefined;
}
}

View File

@ -1270,7 +1270,7 @@
dependencies:
"@babel/types" "^7.3.0"
"@types/cheerio@^0.22.0":
"@types/cheerio@^0.22.11":
version "0.22.11"
resolved "https://registry.yarnpkg.com/@types/cheerio/-/cheerio-0.22.11.tgz#61c0facf9636d14ba5f77fc65ed8913aa845d717"
integrity sha512-x0X3kPbholdJZng9wDMhb2swvUi3UYRNAuWAmIPIWlfgAJZp//cql/qblE7181Mg7SjWVwq6ldCPCLn5AY/e7w==
@ -1314,7 +1314,7 @@
resolved "https://registry.yarnpkg.com/@types/lodash/-/lodash-4.14.134.tgz#9032b440122db3a2a56200e91191996161dde5b9"
integrity sha512-2/O0khFUCFeDlbi7sZ7ZFRCcT812fAeOLm7Ev4KbwASkZ575TDrDcY7YyaoHdTOzKcNbfiwLYZqPmoC4wadrsw==
"@types/node@*", "@types/node@^12.0.3":
"@types/node@*":
version "12.0.8"
resolved "https://registry.yarnpkg.com/@types/node/-/node-12.0.8.tgz#551466be11b2adc3f3d47156758f610bd9f6b1d8"
integrity sha512-b8bbUOTwzIY3V5vDTY1fIJ+ePKDUBqt2hC2woVGotdQQhG/2Sh62HOKHrT7ab+VerXAcPyAiTEipPu/FsreUtg==
@ -1336,6 +1336,13 @@
dependencies:
"@types/react" "*"
"@types/react-select@^1":
version "1.3.4"
resolved "https://registry.yarnpkg.com/@types/react-select/-/react-select-1.3.4.tgz#e3cd29b0e4b8a782ddfe76e5500f08d3476370ce"
integrity sha512-0BwjswNzKBszG5O4xq72W54NrrbmOZvJfaM/Dwru3F6DhvFO9nihMP1IRzXSOJ1qGRCS3VCu9FnBYJ+25lSldw==
dependencies:
"@types/react" "*"
"@types/react-slick@^0.23.4":
version "0.23.4"
resolved "https://registry.yarnpkg.com/@types/react-slick/-/react-slick-0.23.4.tgz#c97e2a9e7e3d1933c68593b8e82752fab1e8ce53"
@ -1343,7 +1350,16 @@
dependencies:
"@types/react" "*"
"@types/react-virtualized@^9.21.2":
"@types/react-virtualized-select@^3.0.7":
version "3.0.7"
resolved "https://registry.yarnpkg.com/@types/react-virtualized-select/-/react-virtualized-select-3.0.7.tgz#068c97c5ff1cd46b292b29a34cb06f2efa0e94d4"
integrity sha512-NumODs66O012oAaq0ebD0m3RAb5ztGLXwgul5knod85JH6UQ9qunhO3XDJew7Am3814e1K/tX5ySSeXDzNa/RQ==
dependencies:
"@types/react" "*"
"@types/react-select" "^1"
"@types/react-virtualized" "*"
"@types/react-virtualized@*", "@types/react-virtualized@^9.21.2":
version "9.21.2"
resolved "https://registry.yarnpkg.com/@types/react-virtualized/-/react-virtualized-9.21.2.tgz#c5e4293409593814c35466913e83fb856e2053d0"
integrity sha512-Q6geJaDd8FlBw3ilD4ODferTyVtYAmDE3d7+GacfwN0jPt9rD9XkeuPjcHmyIwTrMXuLv1VIJmRxU9WQoQFBJw==
@ -2150,7 +2166,7 @@ babel-preset-react-app@^9.0.0:
babel-plugin-macros "2.5.1"
babel-plugin-transform-react-remove-prop-types "0.4.24"
babel-runtime@6.x, babel-runtime@^6.23.0, babel-runtime@^6.26.0:
babel-runtime@6.x, babel-runtime@^6.11.6, babel-runtime@^6.23.0, babel-runtime@^6.26.0:
version "6.26.0"
resolved "https://registry.yarnpkg.com/babel-runtime/-/babel-runtime-6.26.0.tgz#965c7058668e82b55d7bfe04ff2337bc8b5647fe"
integrity sha1-llxwWGaOgrVde/4E/yM3vItWR/4=
@ -2630,7 +2646,7 @@ class-utils@^0.3.5:
isobject "^3.0.0"
static-extend "^0.1.1"
classnames@2.x, classnames@^2.2.0, classnames@^2.2.1, classnames@^2.2.3, classnames@^2.2.5, classnames@^2.2.6, classnames@~2.2.6:
classnames@2.x, classnames@^2.2.0, classnames@^2.2.1, classnames@^2.2.3, classnames@^2.2.4, classnames@^2.2.5, classnames@^2.2.6, classnames@~2.2.6:
version "2.2.6"
resolved "https://registry.yarnpkg.com/classnames/-/classnames-2.2.6.tgz#43935bffdd291f326dad0a205309b38d00f650ce"
integrity sha512-JR/iSQOSt+LQIWwrwEzJ9uk0xfN3mTVYMwt1Ir5mUcSN6pU+V4zQFFaJsclJbPuAUQH+yfWef6tm7l1quW3C8Q==
@ -5464,7 +5480,7 @@ isobject@^3.0.0, isobject@^3.0.1:
resolved "https://registry.yarnpkg.com/isobject/-/isobject-3.0.1.tgz#4e431e92b11a9731636aa1f9c8d1ccbcfdab78df"
integrity sha1-TkMekrEalzFjaqH5yNHMvP2reN8=
isomorphic-fetch@^2.1.1, isomorphic-fetch@^2.2.1:
isomorphic-fetch@^2.1.1:
version "2.2.1"
resolved "https://registry.yarnpkg.com/isomorphic-fetch/-/isomorphic-fetch-2.2.1.tgz#611ae1acf14f5e81f729507472819fe9733558a9"
integrity sha1-YRrhrPFPXoH3KVB0coGf6XM1WKk=
@ -8872,6 +8888,13 @@ react-error-overlay@^5.1.6:
resolved "https://registry.yarnpkg.com/react-error-overlay/-/react-error-overlay-5.1.6.tgz#0cd73407c5d141f9638ae1e0c63e7b2bf7e9929d"
integrity sha512-X1Y+0jR47ImDVr54Ab6V9eGk0Hnu7fVWGeHQSOXHf/C2pF9c6uy3gef8QUeuUiWlNb0i08InPSE5a/KJzNzw1Q==
react-input-autosize@^2.1.2:
version "2.2.1"
resolved "https://registry.yarnpkg.com/react-input-autosize/-/react-input-autosize-2.2.1.tgz#ec428fa15b1592994fb5f9aa15bb1eb6baf420f8"
integrity sha512-3+K4CD13iE4lQQ2WlF8PuV5htfmTRLH6MDnfndHM6LuBRszuXnuyIfE7nhSKt8AzRBZ50bu0sAhkNMeS5pxQQA==
dependencies:
prop-types "^15.5.8"
react-is@^16.7.0, react-is@^16.8.1, react-is@^16.8.4:
version "16.8.6"
resolved "https://registry.yarnpkg.com/react-is/-/react-is-16.8.6.tgz#5bbc1e2d29141c9fbdfed456343fe2bc430a6a16"
@ -8952,6 +8975,15 @@ react-scripts@^3.0.1:
optionalDependencies:
fsevents "2.0.6"
react-select@^1.0.0-rc.2:
version "1.3.0"
resolved "https://registry.yarnpkg.com/react-select/-/react-select-1.3.0.tgz#1828ad5bf7f3e42a835c7e2d8cb13b5c20714876"
integrity sha512-g/QAU1HZrzSfxkwMAo/wzi6/ezdWye302RGZevsATec07hI/iSxcpB1hejFIp7V63DJ8mwuign6KmB3VjdlinQ==
dependencies:
classnames "^2.2.4"
prop-types "^15.5.8"
react-input-autosize "^2.1.2"
react-slick@~0.24.0:
version "0.24.0"
resolved "https://registry.yarnpkg.com/react-slick/-/react-slick-0.24.0.tgz#1a4e078a82de4e9458255d9ce26aa6f3b17b168b"
@ -8963,7 +8995,17 @@ react-slick@~0.24.0:
lodash.debounce "^4.0.8"
resize-observer-polyfill "^1.5.0"
react-virtualized@^9.21.1:
react-virtualized-select@^3.1.3:
version "3.1.3"
resolved "https://registry.yarnpkg.com/react-virtualized-select/-/react-virtualized-select-3.1.3.tgz#e5c1fed5e493e3e5a628e53100e83d27cfd8c0ac"
integrity sha512-u6j/EfynCB9s4Lz5GGZhNUCZHvFQdtLZws7W/Tcd/v03l19OjpQs3eYjK82iYS0FgD2+lDIBpqS8LpD/hjqDRQ==
dependencies:
babel-runtime "^6.11.6"
prop-types "^15.5.8"
react-select "^1.0.0-rc.2"
react-virtualized "^9.0.0"
react-virtualized@^9.0.0, react-virtualized@^9.21.1:
version "9.21.1"
resolved "https://registry.yarnpkg.com/react-virtualized/-/react-virtualized-9.21.1.tgz#4dbbf8f0a1420e2de3abf28fbb77120815277b3a"
integrity sha512-E53vFjRRMCyUTEKuDLuGH1ld/9TFzjf/fFW816PE4HFXWZorESbSTYtiZz1oAjra0MminaUU1EnvUxoGuEFFPA==