From 27c0ddbca125a0f2db69e79845b677b03b6ac04a Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Oliver=20R=C3=BCmpelein?= Date: Sat, 9 Jan 2021 23:14:31 +0100 Subject: [PATCH 01/12] Make factory usable from Macros. This does not yet include any modal interface. --- package-lock.json | 2 +- src/module/ds4.ts | 2 + src/module/rolls/check-factory.ts | 93 +++++++++++++++++++++++++++++++ src/module/rolls/check.ts | 1 - 4 files changed, 96 insertions(+), 2 deletions(-) create mode 100644 src/module/rolls/check-factory.ts diff --git a/package-lock.json b/package-lock.json index ff2912b..efb9982 100644 --- a/package-lock.json +++ b/package-lock.json @@ -2702,7 +2702,7 @@ } }, "foundry-pc-types": { - "version": "git+https://git.f3l.de/dungeonslayers/foundry-pc-types.git#f84074f63d1aeeb9229e441e8c3ccaa9cba64142", + "version": "git+https://git.f3l.de/dungeonslayers/foundry-pc-types.git#5a2140620d5be1f42d90dec6c42b3b88ff165f19", "from": "git+https://git.f3l.de/dungeonslayers/foundry-pc-types.git#f3l-fixes", "dev": true, "requires": { diff --git a/src/module/ds4.ts b/src/module/ds4.ts index a9d46ac..4da8a49 100644 --- a/src/module/ds4.ts +++ b/src/module/ds4.ts @@ -5,6 +5,7 @@ import { DS4Item } from "./item/item"; import { DS4ItemSheet } from "./item/item-sheet"; import { DS4 } from "./config"; import { DS4Check } from "./rolls/check"; +import { createCheckRoll } from "./rolls/check-factory"; Hooks.once("init", async function () { console.log(`DS4 | Initializing the DS4 Game System\n${DS4.ASCII}`); @@ -13,6 +14,7 @@ Hooks.once("init", async function () { DS4Actor, DS4Item, DS4, + createCheckRoll, }; // Record configuration diff --git a/src/module/rolls/check-factory.ts b/src/module/rolls/check-factory.ts new file mode 100644 index 0000000..a7a718d --- /dev/null +++ b/src/module/rolls/check-factory.ts @@ -0,0 +1,93 @@ +// TODO: Rename to something sane. + +class DefaultCheckOptions implements CheckOptions { + maxCritSuccess = 1; + minCritFailure = 20; + useSlayingDice = false; + rollMode: RollMode = "roll"; + + mergeWith(other: Partial): CheckOptions { + return { ...this, ...other } as CheckOptions; + } +} + +class CheckFactory { + constructor( + private checkTargetValue: number, + private gmModifier: number, + passedOptions: Partial = {}, + ) { + this.checkOptions = new DefaultCheckOptions().mergeWith(passedOptions); + } + + private checkOptions: CheckOptions; + + async execute(): Promise { + const rollCls: typeof Roll = CONFIG.Dice.rolls[0]; + + const formula = [ + "ds", + this.createTargetValueTerm(), + this.createCritTerm(), + this.createSlayingDiceTerm(), + ].filterJoin(""); + const roll = new rollCls(formula); + + const rollModeTemplate = this.checkOptions.rollMode; + return roll.toMessage({}, { rollMode: rollModeTemplate, create: true }); + } + + // Term generators + createTargetValueTerm(): string { + if (this.checkTargetValue != null) { + return "v" + this.checkTargetValue; + } else { + return null; + } + } + + createCritTerm(): string { + const minCritRequired = this.checkOptions.minCritFailure !== CheckFactory.defaultCheckOptions.minCritFailure; + const maxCritRequired = this.checkOptions.maxCritSuccess !== CheckFactory.defaultCheckOptions.maxCritSuccess; + + if (minCritRequired || maxCritRequired) { + return "c" + (this.checkOptions.maxCritSuccess ?? "") + "," + (this.checkOptions.minCritFailure ?? ""); + } else { + return null; + } + } + + createSlayingDiceTerm(): string { + return this.checkOptions.useSlayingDice ? "x" : null; + } + + static defaultCheckOptions = new DefaultCheckOptions(); +} + +// TODO: Figure out return of roll (void should be Ok, tough?) +export async function createCheckRoll(targetValue: number, options: Partial): Promise { + // Ask for additional required data; + const gmModifier = await askGmModifier(); + + // Create Factory + const cf = new CheckFactory(targetValue, gmModifier, options); + + // Possibly additional processing + + // Execute roll + await cf.execute(); +} + +async function askGmModifier(): Promise { + // Render model interface and return value + return 0; +} + +interface CheckOptions { + maxCritSuccess: number; + minCritFailure: number; + useSlayingDice: boolean; + rollMode: RollMode; +} + +type RollMode = "roll" | "gmroll" | "blindroll" | "selfroll"; diff --git a/src/module/rolls/check.ts b/src/module/rolls/check.ts index 5886813..7911cde 100644 --- a/src/module/rolls/check.ts +++ b/src/module/rolls/check.ts @@ -132,7 +132,6 @@ export class DS4Check extends DiceTerm { static readonly DEFAULT_TARGET_VALUE = 10; static readonly DEFAULT_MAX_CRIT_SUCCESS = 1; static readonly DEFAULT_MIN_CRIT_FAILURE = 20; - // TODO: add to Type declarations static DENOMINATION = "s"; static MODIFIERS = { x: "explode", From c94ff4a67acaa457a87e32d19516a21874ef8e2e Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Oliver=20R=C3=BCmpelein?= Date: Sat, 9 Jan 2021 23:21:57 +0100 Subject: [PATCH 02/12] Rudimentary docs. --- src/module/rolls/check-factory.ts | 36 ++++++++++++++++++++++--------- 1 file changed, 26 insertions(+), 10 deletions(-) diff --git a/src/module/rolls/check-factory.ts b/src/module/rolls/check-factory.ts index a7a718d..43b0692 100644 --- a/src/module/rolls/check-factory.ts +++ b/src/module/rolls/check-factory.ts @@ -1,26 +1,32 @@ // TODO: Rename to something sane. -class DefaultCheckOptions implements CheckOptions { +/** + * Provides default values for all arguments the `CheckFactory` expects. + */ +class DefaultCheckOptions implements DS4CheckFactoryOptions { maxCritSuccess = 1; minCritFailure = 20; useSlayingDice = false; - rollMode: RollMode = "roll"; + rollMode: DS4RollMode = "roll"; - mergeWith(other: Partial): CheckOptions { - return { ...this, ...other } as CheckOptions; + mergeWith(other: Partial): DS4CheckFactoryOptions { + return { ...this, ...other } as DS4CheckFactoryOptions; } } +/** + * Most basic class responsible for generating the chat formula and passing it to the chat as roll. + */ class CheckFactory { constructor( private checkTargetValue: number, private gmModifier: number, - passedOptions: Partial = {}, + passedOptions: Partial = {}, ) { this.checkOptions = new DefaultCheckOptions().mergeWith(passedOptions); } - private checkOptions: CheckOptions; + private checkOptions: DS4CheckFactoryOptions; async execute(): Promise { const rollCls: typeof Roll = CONFIG.Dice.rolls[0]; @@ -65,7 +71,12 @@ class CheckFactory { } // TODO: Figure out return of roll (void should be Ok, tough?) -export async function createCheckRoll(targetValue: number, options: Partial): Promise { +/** + * Asks the user for all unknown/necessary information and passes them on to perform a roll. + * @param targetValue {number} The Check Target Number ("CTN") + * @param options {Partial} Options changing the behaviour of the roll and message. + */ +export async function createCheckRoll(targetValue: number, options: Partial): Promise { // Ask for additional required data; const gmModifier = await askGmModifier(); @@ -78,16 +89,21 @@ export async function createCheckRoll(targetValue: number, options: Partial} The number by the user. + */ async function askGmModifier(): Promise { // Render model interface and return value return 0; } -interface CheckOptions { +export interface DS4CheckFactoryOptions { maxCritSuccess: number; minCritFailure: number; useSlayingDice: boolean; - rollMode: RollMode; + rollMode: DS4RollMode; } -type RollMode = "roll" | "gmroll" | "blindroll" | "selfroll"; +export type DS4RollMode = "roll" | "gmroll" | "blindroll" | "selfroll"; From a19a996d1d8d94265b1910592bd82f6a71cf5d12 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Oliver=20R=C3=BCmpelein?= Date: Sun, 10 Jan 2021 16:40:11 +0100 Subject: [PATCH 03/12] Display (only!) selection options to the user. --- spec/support/ds4rolls/executor.spec.ts | 28 ++++++------ src/module/rolls/check-factory.ts | 62 ++++++++++++++++++++++---- src/module/rolls/check.ts | 2 +- src/module/rolls/roll-data.ts | 4 +- src/module/rolls/roll-executor.ts | 4 +- src/templates/roll/roll-options.hbs | 16 +++++++ 6 files changed, 88 insertions(+), 28 deletions(-) create mode 100644 src/templates/roll/roll-options.hbs diff --git a/spec/support/ds4rolls/executor.spec.ts b/spec/support/ds4rolls/executor.spec.ts index 705241a..58997a9 100644 --- a/spec/support/ds4rolls/executor.spec.ts +++ b/spec/support/ds4rolls/executor.spec.ts @@ -65,37 +65,37 @@ describe("DS4 Rolls with one die and slaying dice, followup throw.", () => { describe("DS4 Rolls with one die and crit roll modifications.", () => { it("Should do a crit success on `1`.", () => { - expect(rollCheckSingleDie(4, { maxCritSuccess: 2, minCritFail: 19 }, [1])).toEqual( + expect(rollCheckSingleDie(4, { maxCritSuccess: 2, minCritFailure: 19 }, [1])).toEqual( new RollResult(4, RollResultStatus.CRITICAL_SUCCESS, [1]), ); }); it("Should do a crit success on `maxCritSucc`.", () => { - expect(rollCheckSingleDie(4, { maxCritSuccess: 2, minCritFail: 19 }, [2])).toEqual( + expect(rollCheckSingleDie(4, { maxCritSuccess: 2, minCritFailure: 19 }, [2])).toEqual( new RollResult(4, RollResultStatus.CRITICAL_SUCCESS, [2]), ); }); it("Should do a success on lower edge case `3`.", () => { - expect(rollCheckSingleDie(4, { maxCritSuccess: 2, minCritFail: 19 }, [3])).toEqual( + expect(rollCheckSingleDie(4, { maxCritSuccess: 2, minCritFailure: 19 }, [3])).toEqual( new RollResult(3, RollResultStatus.SUCCESS, [3]), ); }); it("Should do a success on upper edge case `18`.", () => { - expect(rollCheckSingleDie(4, { maxCritSuccess: 2, minCritFail: 19 }, [18])).toEqual( + expect(rollCheckSingleDie(4, { maxCritSuccess: 2, minCritFailure: 19 }, [18])).toEqual( new RollResult(0, RollResultStatus.FAILURE, [18]), ); }); - it("Should do a crit fail on `minCritFail`.", () => { - expect(rollCheckSingleDie(4, { maxCritSuccess: 2, minCritFail: 19 }, [19])).toEqual( + it("Should do a crit fail on `minCritFailure`.", () => { + expect(rollCheckSingleDie(4, { maxCritSuccess: 2, minCritFailure: 19 }, [19])).toEqual( new RollResult(0, RollResultStatus.CRITICAL_FAILURE, [19]), ); }); it("Should do a crit fail on `20`", () => { - expect(rollCheckSingleDie(4, { maxCritSuccess: 2, minCritFail: 19 }, [20])).toEqual( + expect(rollCheckSingleDie(4, { maxCritSuccess: 2, minCritFailure: 19 }, [20])).toEqual( new RollResult(0, RollResultStatus.CRITICAL_FAILURE, [20]), ); }); @@ -171,37 +171,37 @@ describe("DS4 Rolls with multiple dice and no modifiers.", () => { describe("DS4 Rolls with multiple dice and min/max modifiers.", () => { it("Should do a crit fail on `19` for first roll.", () => { - expect(rollCheckMultipleDice(48, { maxCritSuccess: 2, minCritFail: 19 }, [19, 15, 6])).toEqual( + expect(rollCheckMultipleDice(48, { maxCritSuccess: 2, minCritFailure: 19 }, [19, 15, 6])).toEqual( new RollResult(0, RollResultStatus.CRITICAL_FAILURE, [19, 15, 6]), ); }); it("Should succeed with all rolls crit successes (1 and 2).", () => { - expect(rollCheckMultipleDice(48, { maxCritSuccess: 2, minCritFail: 19 }, [2, 1, 2])).toEqual( + expect(rollCheckMultipleDice(48, { maxCritSuccess: 2, minCritFailure: 19 }, [2, 1, 2])).toEqual( new RollResult(48, RollResultStatus.CRITICAL_SUCCESS, [2, 1, 2]), ); }); it("Should succeed with the last roll not being sufficient.", () => { - expect(rollCheckMultipleDice(48, { maxCritSuccess: 2, minCritFail: 19 }, [15, 15, 15])).toEqual( + expect(rollCheckMultipleDice(48, { maxCritSuccess: 2, minCritFailure: 19 }, [15, 15, 15])).toEqual( new RollResult(30, RollResultStatus.SUCCESS, [15, 15, 15]), ); }); it("Should succeed with the last roll a crit success `2`.", () => { - expect(rollCheckMultipleDice(48, { maxCritSuccess: 2, minCritFail: 19 }, [15, 15, 2])).toEqual( + expect(rollCheckMultipleDice(48, { maxCritSuccess: 2, minCritFailure: 19 }, [15, 15, 2])).toEqual( new RollResult(38, RollResultStatus.SUCCESS, [15, 15, 2]), ); }); it("Should succeed with the last roll being `20` and one crit success '2'.", () => { - expect(rollCheckMultipleDice(48, { maxCritSuccess: 2, minCritFail: 19 }, [15, 2, 20])).toEqual( + expect(rollCheckMultipleDice(48, { maxCritSuccess: 2, minCritFailure: 19 }, [15, 2, 20])).toEqual( new RollResult(43, RollResultStatus.SUCCESS, [15, 2, 20]), ); }); it("Should succeed with the last roll being `19` and one crit success '2'.", () => { - expect(rollCheckMultipleDice(48, { maxCritSuccess: 2, minCritFail: 19 }, [15, 2, 19])).toEqual( + expect(rollCheckMultipleDice(48, { maxCritSuccess: 2, minCritFailure: 19 }, [15, 2, 19])).toEqual( new RollResult(42, RollResultStatus.SUCCESS, [15, 2, 19]), ); }); @@ -209,7 +209,7 @@ describe("DS4 Rolls with multiple dice and min/max modifiers.", () => { describe("DS4 Rolls with multiple dice and fail modifiers.", () => { it("Should do a crit fail on `19` for first roll.", () => { - expect(rollCheckMultipleDice(48, { minCritFail: 19 }, [19, 15, 6])).toEqual( + expect(rollCheckMultipleDice(48, { minCritFailure: 19 }, [19, 15, 6])).toEqual( new RollResult(0, RollResultStatus.CRITICAL_FAILURE, [19, 15, 6]), ); }); diff --git a/src/module/rolls/check-factory.ts b/src/module/rolls/check-factory.ts index 43b0692..24c563c 100644 --- a/src/module/rolls/check-factory.ts +++ b/src/module/rolls/check-factory.ts @@ -14,6 +14,8 @@ class DefaultCheckOptions implements DS4CheckFactoryOptions { } } +const defaultCheckOptions = new DefaultCheckOptions(); + /** * Most basic class responsible for generating the chat formula and passing it to the chat as roll. */ @@ -53,8 +55,8 @@ class CheckFactory { } createCritTerm(): string { - const minCritRequired = this.checkOptions.minCritFailure !== CheckFactory.defaultCheckOptions.minCritFailure; - const maxCritRequired = this.checkOptions.maxCritSuccess !== CheckFactory.defaultCheckOptions.maxCritSuccess; + const minCritRequired = this.checkOptions.minCritFailure !== defaultCheckOptions.minCritFailure; + const maxCritRequired = this.checkOptions.maxCritSuccess !== defaultCheckOptions.maxCritSuccess; if (minCritRequired || maxCritRequired) { return "c" + (this.checkOptions.maxCritSuccess ?? "") + "," + (this.checkOptions.minCritFailure ?? ""); @@ -66,8 +68,6 @@ class CheckFactory { createSlayingDiceTerm(): string { return this.checkOptions.useSlayingDice ? "x" : null; } - - static defaultCheckOptions = new DefaultCheckOptions(); } // TODO: Figure out return of roll (void should be Ok, tough?) @@ -78,10 +78,10 @@ class CheckFactory { */ export async function createCheckRoll(targetValue: number, options: Partial): Promise { // Ask for additional required data; - const gmModifier = await askGmModifier(); + const gmModifierData = await askGmModifier(targetValue, options); // Create Factory - const cf = new CheckFactory(targetValue, gmModifier, options); + const cf = new CheckFactory(targetValue, gmModifierData.gmModifier, options); // Possibly additional processing @@ -92,11 +92,53 @@ export async function createCheckRoll(targetValue: number, options: Partial} The number by the user. */ -async function askGmModifier(): Promise { +async function askGmModifier( + targetValue: number, + options: Partial, + { template, title }: { template?: string; title?: string } = {}, +): Promise { // Render model interface and return value - return 0; + const usedTemplate = template ?? "systems/ds4/templates/roll/roll-options.hbs"; + const templateData = { + cssClass: "roll-option", + title: title ?? "Roll Options", + checkTargetValue: targetValue, + maxCritSuccess: options.maxCritSuccess ?? defaultCheckOptions.maxCritSuccess, + minCritFailure: options.minCritFailure ?? defaultCheckOptions.minCritFailure, + rollModes: rollModes, + }; + const renderedHtml = await renderTemplate(usedTemplate, templateData); + + // TODO: Localize + const dialogData: DialogData = { + title: title ?? "Roll Options", + close: (html) => null, + content: renderedHtml, + buttons: { + ok: { + label: "OK", + callback: (html) => null, + }, + cancel: { + label: "Cancel", + callback: (html) => null, + }, + }, + default: "ok", + }; + + const dialog = new Dialog(dialogData, {}).render(true); + + return { gmModifier: 0 }; +} + +interface GmModifierData { + gmModifier: number; } export interface DS4CheckFactoryOptions { @@ -106,4 +148,6 @@ export interface DS4CheckFactoryOptions { rollMode: DS4RollMode; } -export type DS4RollMode = "roll" | "gmroll" | "blindroll" | "selfroll"; +const rollModes = ["roll", "gmroll", "blindroll", "selfroll"] as const; +type DS4RollModeTuple = typeof rollModes; +export type DS4RollMode = DS4RollModeTuple[number]; diff --git a/src/module/rolls/check.ts b/src/module/rolls/check.ts index 7911cde..38773fb 100644 --- a/src/module/rolls/check.ts +++ b/src/module/rolls/check.ts @@ -86,7 +86,7 @@ export class DS4Check extends DiceTerm { } else { return ds4roll(targetValueToUse, { maxCritSuccess: this.maxCritSuccess, - minCritFail: this.minCritFailure, + minCritFailure: this.minCritFailure, slayingDiceRepetition: slayingDiceRepetition, useSlayingDice: slayingDiceRepetition, }); diff --git a/src/module/rolls/roll-data.ts b/src/module/rolls/roll-data.ts index 964034c..78329e4 100644 --- a/src/module/rolls/roll-data.ts +++ b/src/module/rolls/roll-data.ts @@ -1,13 +1,13 @@ export interface RollOptions { maxCritSuccess: number; - minCritFail: number; + minCritFailure: number; useSlayingDice: boolean; slayingDiceRepetition: boolean; } export class DefaultRollOptions implements RollOptions { public maxCritSuccess = 1; - public minCritFail = 20; + public minCritFailure = 20; public useSlayingDice = false; public slayingDiceRepetition = false; diff --git a/src/module/rolls/roll-executor.ts b/src/module/rolls/roll-executor.ts index 72e6b2c..c7e187b 100644 --- a/src/module/rolls/roll-executor.ts +++ b/src/module/rolls/roll-executor.ts @@ -48,7 +48,7 @@ export function rollCheckSingleDie( if (rolledDie <= usedOptions.maxCritSuccess) { return new RollResult(checkTargetValue, RollResultStatus.CRITICAL_SUCCESS, usedDice, true); - } else if (rolledDie >= usedOptions.minCritFail && !isSlayingDiceRepetition(usedOptions)) { + } else if (rolledDie >= usedOptions.minCritFailure && !isSlayingDiceRepetition(usedOptions)) { return new RollResult(0, RollResultStatus.CRITICAL_FAILURE, usedDice, true); } else { if (rolledDie <= checkTargetValue) { @@ -90,7 +90,7 @@ export function rollCheckMultipleDice( const slayingDiceRepetition = isSlayingDiceRepetition(usedOptions); // Slaying Dice require a different handling. - if (firstResult >= usedOptions.minCritFail && !slayingDiceRepetition) { + if (firstResult >= usedOptions.minCritFailure && !slayingDiceRepetition) { return new RollResult(0, RollResultStatus.CRITICAL_FAILURE, usedDice, true); } diff --git a/src/templates/roll/roll-options.hbs b/src/templates/roll/roll-options.hbs new file mode 100644 index 0000000..4cab330 --- /dev/null +++ b/src/templates/roll/roll-options.hbs @@ -0,0 +1,16 @@ +
+ + + + + + + + + + +
From 516c04c8de4b8786a0bec20affc2158688577291 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Oliver=20R=C3=BCmpelein?= Date: Sun, 10 Jan 2021 21:03:11 +0100 Subject: [PATCH 04/12] First proper parsing without much "nice-ity". --- src/module/rolls/check-factory.ts | 81 +++++++++++++++++++++-------- src/templates/roll/roll-options.hbs | 8 +-- 2 files changed, 63 insertions(+), 26 deletions(-) diff --git a/src/module/rolls/check-factory.ts b/src/module/rolls/check-factory.ts index 24c563c..8d560ea 100644 --- a/src/module/rolls/check-factory.ts +++ b/src/module/rolls/check-factory.ts @@ -27,7 +27,6 @@ class CheckFactory { ) { this.checkOptions = new DefaultCheckOptions().mergeWith(passedOptions); } - private checkOptions: DS4CheckFactoryOptions; async execute(): Promise { @@ -42,13 +41,14 @@ class CheckFactory { const roll = new rollCls(formula); const rollModeTemplate = this.checkOptions.rollMode; + console.log(rollModeTemplate); return roll.toMessage({}, { rollMode: rollModeTemplate, create: true }); } // Term generators createTargetValueTerm(): string { if (this.checkTargetValue != null) { - return "v" + this.checkTargetValue; + return "v" + (this.checkTargetValue + this.gmModifier); } else { return null; } @@ -80,8 +80,15 @@ export async function createCheckRoll(targetValue: number, options: Partial = { + maxCritSuccess: gmModifierData.maxCritSuccess ?? options.maxCritSuccess ?? undefined, + minCritFailure: gmModifierData.minCritFailure ?? options.minCritFailure ?? undefined, + useSlayingDice: gmModifierData.useSlayingDice ?? options.useSlayingDice ?? undefined, + rollMode: gmModifierData.rollMode ?? options.rollMode ?? undefined, + }; + // Create Factory - const cf = new CheckFactory(targetValue, gmModifierData.gmModifier, options); + const cf = new CheckFactory(gmModifierData.checkTargetValue, gmModifierData.gmModifier, newOptions); // Possibly additional processing @@ -115,30 +122,60 @@ async function askGmModifier( const renderedHtml = await renderTemplate(usedTemplate, templateData); // TODO: Localize - const dialogData: DialogData = { - title: title ?? "Roll Options", - close: (html) => null, - content: renderedHtml, - buttons: { - ok: { - label: "OK", - callback: (html) => null, + const dialogPromise = new Promise((resolve) => { + new Dialog( + { + title: title ?? "Roll Options", + close: (html: JQuery) => resolve(null), + content: renderedHtml, + buttons: { + ok: { + label: "OK", + callback: (html: HTMLElement | JQuery) => { + if (!("jquery" in html)) { + throw new Error("Internal Type Error"); + } else { + const innerForm = html[0].querySelector("form"); + resolve(innerForm); + } + }, + }, + cancel: { + label: "Cancel", + callback: (html: JQuery) => resolve(null), + }, + }, + default: "ok", }, - cancel: { - label: "Cancel", - callback: (html) => null, - }, - }, - default: "ok", - }; - - const dialog = new Dialog(dialogData, {}).render(true); - - return { gmModifier: 0 }; + {}, + ).render(true); + }); + const dialogForm = await dialogPromise; + return parseDialogFormData(dialogForm, targetValue); } +function parseDialogFormData(formData: HTMLFormElement, targetValue: number): GmModifierData { + const parsedData = { + checkTargetValue: parseInt(formData["ctv"]?.value) ?? targetValue, + gmModifier: parseInt(formData["gmmod"]?.value) ?? 0, + maxCritSuccess: parseInt(formData["maxcoup"]?.value) ?? defaultCheckOptions.maxCritSuccess, + minCritFailure: parseInt(formData["minfumble"]?.value) ?? defaultCheckOptions.minCritFailure, + useSlayingDice: false, + rollMode: formData["visibility"]?.value ?? defaultCheckOptions.rollMode, + }; + console.log("Data", parsedData); + return parsedData; +} + +// TODO: Remove unnecessary data step by step interface GmModifierData { + checkTargetValue: number; gmModifier: number; + maxCritSuccess: number; + minCritFailure: number; + // TODO: In final version from system settings + useSlayingDice: boolean; + rollMode: DS4RollMode; } export interface DS4CheckFactoryOptions { diff --git a/src/templates/roll/roll-options.hbs b/src/templates/roll/roll-options.hbs index 4cab330..9e2b320 100644 --- a/src/templates/roll/roll-options.hbs +++ b/src/templates/roll/roll-options.hbs @@ -1,12 +1,12 @@
- + - + - + - + - + - + - + - +
From 04bfe61f3fbf7a30fe35a5a9095d3d327a49bbab Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Oliver=20R=C3=BCmpelein?= Date: Wed, 13 Jan 2021 18:56:19 +0100 Subject: [PATCH 09/12] Update localization, add docs. --- src/lang/de.json | 15 +++++++++- src/module/rolls/check-factory.ts | 48 ++++++++++++++++++++++++++----- 2 files changed, 55 insertions(+), 8 deletions(-) diff --git a/src/lang/de.json b/src/lang/de.json index 5c67501..cfccf49 100644 --- a/src/lang/de.json +++ b/src/lang/de.json @@ -157,5 +157,18 @@ "DS4.UnitKilometers": "Kilometer", "DS4.UnitKilometersAbbr": "km", "DS4.UnitCustom": "individuell", - "DS4.UnitCustomAbbr": " " + "DS4.UnitCustomAbbr": " ", + "DS4.RollDialogDefaultTitle": "Probenwerte", + "DS4.RollDialogOkButton": "Ok", + "DS4.RollDialogCancelButton": "Abbrechen", + "DS4.HtmlTypeError": "Typfehler: Erwartet wurde {exType}, tatsächlich erhalten wurde {realType}", + "DS4.RollDialogTargetLabel": "Probenwert", + "DS4.RollDialogModifierLabel": "SL-Modifikator", + "DS4.RollDialogCoupLabel": "Immersieg bis", + "DS4.RollDialogFumbleLabel": "Patzer ab", + "DS4.RollDialogVisibilityLabel": "Sichtbarkeit", + "DS4.ChatVisibilityRoll": "Alle", + "DS4.ChatVisibilityGmRoll": "Selbst & SL", + "DS4.ChatVisibilityBlindRoll": "Nur SL", + "DS4.ChatVisibilitySelfRoll": "Nur selbst" } diff --git a/src/module/rolls/check-factory.ts b/src/module/rolls/check-factory.ts index 90562db..6ec836f 100644 --- a/src/module/rolls/check-factory.ts +++ b/src/module/rolls/check-factory.ts @@ -16,6 +16,9 @@ class DefaultCheckOptions implements DS4CheckFactoryOptions { } } +/** + * Singleton reference for default value extraction. + */ const defaultCheckOptions = new DefaultCheckOptions(); /** @@ -73,7 +76,6 @@ class CheckFactory { } } -// TODO: Figure out return of roll (void should be Ok, tough?) /** * Asks the user for all unknown/necessary information and passes them on to perform a roll. * @param targetValue {number} The Check Target Number ("CTN") @@ -100,18 +102,18 @@ export async function createCheckRoll(targetValue: number, options: Partial} The number by the user. + * @returns {Promise} The data given by the user. */ async function askGmModifier( targetValue: number, options: Partial, { template, title }: { template?: string; title?: string } = {}, -): Promise { +): Promise { // Render model interface and return value const usedTemplate = template ?? "systems/ds4/templates/roll/roll-options.hbs"; const usedTitle = title ?? game.i18n.localize("DS4.RollDialogDefaultTitle"); @@ -126,7 +128,6 @@ async function askGmModifier( }; const renderedHtml = await renderTemplate(usedTemplate, templateData); - // TODO: Localize const dialogPromise = new Promise((resolve) => { new Dialog( { @@ -168,7 +169,12 @@ async function askGmModifier( return parseDialogFormData(dialogForm, targetValue); } -function parseDialogFormData(formData: HTMLFormElement, targetValue: number): GmModifierData { +/** + * Extracts Dialog data from the returned DOM element. + * @param formData {HTMLFormElement} The filed dialog + * @param targetValue {number} The previously known target value (slated for removal once data automation is available) + */ +function parseDialogFormData(formData: HTMLFormElement, targetValue: number): IntermediateGmModifierData { return { checkTargetValue: parseInt(formData["ctv"]?.value) ?? targetValue, gmModifier: parseInt(formData["gmmod"]?.value) ?? 0, @@ -179,8 +185,30 @@ function parseDialogFormData(formData: HTMLFormElement, targetValue: number): Gm }; } -// TODO: Remove unnecessary data step by step +/** + * Contains data that needs retrieval from an interactive Dialog. + */ interface GmModifierData { + gmModifier: number; + rollMode: DS4RollMode; +} + +/** + * Contains *CURRENTLY* necessary Data for drafting a roll. + * + * @deprecated + * Quite a lot of this information is requested due to a lack of automation: + * - maxCritSuccess + * - minCritFailure + * - useSlayingDice + * - checkTargetValue + * + * They will and should be removed once effects and data retrieval is in place. + * If a "raw" roll dialog is necessary, create another pre-porcessing Dialog + * class asking for the required information. + * This interface should then be replaced with the `GmModifierData`. + */ +interface IntermediateGmModifierData extends GmModifierData { checkTargetValue: number; gmModifier: number; maxCritSuccess: number; @@ -190,6 +218,9 @@ interface GmModifierData { rollMode: DS4RollMode; } +/** + * The minimum behavioural options that need to be passed to the factory. + */ export interface DS4CheckFactoryOptions { maxCritSuccess: number; minCritFailure: number; @@ -197,6 +228,9 @@ export interface DS4CheckFactoryOptions { rollMode: DS4RollMode; } +/** + * Defines all possible roll modes, both for iterating and typing. + */ const rollModes = ["roll", "gmroll", "blindroll", "selfroll"] as const; type DS4RollModeTuple = typeof rollModes; export type DS4RollMode = DS4RollModeTuple[number]; From ebc9b95758d6e25a8cb6f2edeb8f5d89b1fccac3 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Oliver=20R=C3=BCmpelein?= Date: Wed, 13 Jan 2021 20:12:37 +0100 Subject: [PATCH 10/12] Fix tests. --- src/lang/en.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/lang/en.json b/src/lang/en.json index 0d4674b..3c38840 100644 --- a/src/lang/en.json +++ b/src/lang/en.json @@ -143,6 +143,7 @@ "DS4.ProfileSpecialCharacteristics": "Special Characteristics", "DS4.WarningManageActiveEffectOnOwnedItem": "Managing Active Effects within an Owned Item is not currently supported and will be added in a subsequent update.", "DS4.ErrorDiceCritOverlap": "There's an overlap between Fumbles and Coups", + "DS4.ErrorExplodingRecursionLimitExceeded": "Maximum recursion depth for exploding dice roll exceeded", "DS4.UnitRounds": "Rounds", "DS4.UnitRoundsAbbr": "rnd", "DS4.UnitMinutes": "Minutes", @@ -157,7 +158,6 @@ "DS4.UnitKilometersAbbr": "km", "DS4.UnitCustom": "Custom Unit", "DS4.UnitCustomAbbr": " ", - "DS4.ErrorExplodingRecursionLimitExceeded": "Maximum recursion depth for exploding dice roll exceeded", "DS4.RollDialogDefaultTitle": "Roll Options", "DS4.RollDialogOkButton": "Ok", "DS4.RollDialogCancelButton": "Cancel", From f406f5bd83a211b1b27100339b1de00272c3e466 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Oliver=20R=C3=BCmpelein?= Date: Fri, 15 Jan 2021 20:18:31 +0100 Subject: [PATCH 11/12] Update deps. --- package-lock.json | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/package-lock.json b/package-lock.json index c6f8a11..390b24a 100644 --- a/package-lock.json +++ b/package-lock.json @@ -159,9 +159,9 @@ "dev": true }, "@types/socket.io-client": { - "version": "1.4.34", - "resolved": "https://registry.npmjs.org/@types/socket.io-client/-/socket.io-client-1.4.34.tgz", - "integrity": "sha512-Lzia5OTQFJZJ5R4HsEEldywiiqT9+W2rDbyHJiiTGqOcju89sCsQ8aUXDljY6Ls33wKZZGC0bfMhr/VpOyjtXg==", + "version": "1.4.35", + "resolved": "https://registry.npmjs.org/@types/socket.io-client/-/socket.io-client-1.4.35.tgz", + "integrity": "sha512-MI8YmxFS+jMkIziycT5ickBWK1sZwDwy16mgH/j99Mcom6zRG/NimNGQ3vJV0uX5G6g/hEw0FG3w3b3sT5OUGw==", "dev": true }, "@types/tinymce": { @@ -2717,7 +2717,7 @@ } }, "foundry-pc-types": { - "version": "git+https://git.f3l.de/dungeonslayers/foundry-pc-types.git#5a2140620d5be1f42d90dec6c42b3b88ff165f19", + "version": "git+https://git.f3l.de/dungeonslayers/foundry-pc-types.git#5fcca4e4327b558d5eeeb962f05470c994a394be", "from": "git+https://git.f3l.de/dungeonslayers/foundry-pc-types.git#f3l-fixes", "dev": true, "requires": { From b06396c141b2028850a977488cee9734e8a63595 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Oliver=20R=C3=BCmpelein?= Date: Fri, 15 Jan 2021 20:46:26 +0100 Subject: [PATCH 12/12] Review comments: - Error prefix on localization key - Different name for Roll dialog title - Remove obsolete todos - Add some defaults to make args optional - Change return types of promises and term generators --- src/lang/de.json | 4 ++-- src/lang/en.json | 2 +- src/module/rolls/check-factory.ts | 21 +++++++++++---------- 3 files changed, 14 insertions(+), 13 deletions(-) diff --git a/src/lang/de.json b/src/lang/de.json index cfccf49..39a139c 100644 --- a/src/lang/de.json +++ b/src/lang/de.json @@ -158,10 +158,10 @@ "DS4.UnitKilometersAbbr": "km", "DS4.UnitCustom": "individuell", "DS4.UnitCustomAbbr": " ", - "DS4.RollDialogDefaultTitle": "Probenwerte", + "DS4.RollDialogDefaultTitle": "Proben-Optionen", "DS4.RollDialogOkButton": "Ok", "DS4.RollDialogCancelButton": "Abbrechen", - "DS4.HtmlTypeError": "Typfehler: Erwartet wurde {exType}, tatsächlich erhalten wurde {realType}", + "DS4.ErrorUnexpectedHtmlType": "Typfehler: Erwartet wurde {exType}, tatsächlich erhalten wurde {realType}", "DS4.RollDialogTargetLabel": "Probenwert", "DS4.RollDialogModifierLabel": "SL-Modifikator", "DS4.RollDialogCoupLabel": "Immersieg bis", diff --git a/src/lang/en.json b/src/lang/en.json index 3c38840..20d06ee 100644 --- a/src/lang/en.json +++ b/src/lang/en.json @@ -161,7 +161,7 @@ "DS4.RollDialogDefaultTitle": "Roll Options", "DS4.RollDialogOkButton": "Ok", "DS4.RollDialogCancelButton": "Cancel", - "DS4.HtmlTypeError": "Type Error: Expected {exType}, got {realType}", + "DS4.ErrorUnexpectedHtmlType": "Type Error: Expected {exType}, got {realType}", "DS4.RollDialogTargetLabel": "Check Target Number", "DS4.RollDialogModifierLabel": "Game Master Modifier", "DS4.RollDialogCoupLabel": "Coup to", diff --git a/src/module/rolls/check-factory.ts b/src/module/rolls/check-factory.ts index 6ec836f..066202d 100644 --- a/src/module/rolls/check-factory.ts +++ b/src/module/rolls/check-factory.ts @@ -1,5 +1,3 @@ -// TODO: Rename to something sane. - import { DS4 } from "../config"; /** @@ -35,7 +33,7 @@ class CheckFactory { private checkOptions: DS4CheckFactoryOptions; - async execute(): Promise { + async execute(): Promise { const rollCls: typeof Roll = CONFIG.Dice.rolls[0]; const formula = [ @@ -52,15 +50,15 @@ class CheckFactory { } // Term generators - createTargetValueTerm(): string { - if (this.checkTargetValue != null) { + createTargetValueTerm(): string | null { + if (this.checkTargetValue !== null) { return "v" + (this.checkTargetValue + this.gmModifier); } else { return null; } } - createCritTerm(): string { + createCritTerm(): string | null { const minCritRequired = this.checkOptions.minCritFailure !== defaultCheckOptions.minCritFailure; const maxCritRequired = this.checkOptions.maxCritSuccess !== defaultCheckOptions.maxCritSuccess; @@ -71,7 +69,7 @@ class CheckFactory { } } - createSlayingDiceTerm(): string { + createSlayingDiceTerm(): string | null { return this.checkOptions.useSlayingDice ? "x" : null; } } @@ -81,7 +79,10 @@ class CheckFactory { * @param targetValue {number} The Check Target Number ("CTN") * @param options {Partial} Options changing the behaviour of the roll and message. */ -export async function createCheckRoll(targetValue: number, options: Partial): Promise { +export async function createCheckRoll( + targetValue: number, + options: Partial = {}, +): Promise { // Ask for additional required data; const gmModifierData = await askGmModifier(targetValue, options); @@ -111,7 +112,7 @@ export async function createCheckRoll(targetValue: number, options: Partial, + options: Partial = {}, { template, title }: { template?: string; title?: string } = {}, ): Promise { // Render model interface and return value @@ -142,7 +143,7 @@ async function askGmModifier( callback: (html: HTMLElement | JQuery) => { if (!("jquery" in html)) { throw new Error( - game.i18n.format("DS4.HtmlTypeError", { + game.i18n.format("DS4.ErrorUnexpectedHtmlType", { exType: "JQuery", realType: "HTMLElement", }),