Fix damage & healing roll

This commit is contained in:
Dapoolp 2025-08-01 19:49:59 +02:00
parent 57f19c41cd
commit a25dbb462c
19 changed files with 200 additions and 60 deletions

View file

@ -2263,7 +2263,8 @@
"rangeAndTarget": "Range & Target", "rangeAndTarget": "Range & Target",
"dragApplyEffect": "Drag effect to apply it to an actor", "dragApplyEffect": "Drag effect to apply it to an actor",
"appliedEvenIfSuccessful": "Applied even if save succeeded", "appliedEvenIfSuccessful": "Applied even if save succeeded",
"diceIsRerolled": "The dice has been rerolled (x{times})" "diceIsRerolled": "The dice has been rerolled (x{times})",
"pendingSaves": "Pending Reaction Rolls"
} }
} }
} }

View file

@ -611,7 +611,8 @@ export default class CharacterSheet extends DHBaseActorSheet {
}), }),
roll: { roll: {
trait: button.dataset.attribute trait: button.dataset.attribute
} },
hasRoll: true
}; };
this.document.diceRoll(config); this.document.diceRoll(config);
} }

View file

@ -24,7 +24,7 @@ export default class DhpChatLog extends foundry.applications.sidebar.tabs.ChatLo
html.querySelectorAll('.duality-action-damage').forEach(element => html.querySelectorAll('.duality-action-damage').forEach(element =>
element.addEventListener('click', event => this.onRollDamage(event, data.message)) element.addEventListener('click', event => this.onRollDamage(event, data.message))
); );
html.querySelectorAll('.target-save-container').forEach(element => html.querySelectorAll('.target-save').forEach(element =>
element.addEventListener('click', event => this.onRollSave(event, data.message)) element.addEventListener('click', event => this.onRollSave(event, data.message))
); );
html.querySelectorAll('.roll-all-save-button').forEach(element => html.querySelectorAll('.roll-all-save-button').forEach(element =>
@ -124,7 +124,7 @@ export default class DhpChatLog extends foundry.applications.sidebar.tabs.ChatLo
event.stopPropagation(); event.stopPropagation();
if (!game.user.isGM) return; if (!game.user.isGM) return;
const targets = event.target.parentElement.querySelectorAll( const targets = event.target.parentElement.querySelectorAll(
'.target-section > [data-token] .target-save-container' '[data-token] .target-save'
); );
const actor = await this.getActor(message.system.source.actor), const actor = await this.getActor(message.system.source.actor),
action = this.getAction(actor, message.system.source.item, message.system.source.action); action = this.getAction(actor, message.system.source.item, message.system.source.action);
@ -211,6 +211,7 @@ export default class DhpChatLog extends foundry.applications.sidebar.tabs.ChatLo
async onDamage(event, message) { async onDamage(event, message) {
event.stopPropagation(); event.stopPropagation();
const { isHit, targets } = this.getTargetList(event, message); const { isHit, targets } = this.getTargetList(event, message);
console.log(message, isHit, targets)
if (message.system.onSave && isHit) { if (message.system.onSave && isHit) {
const pendingingSaves = message.system.targets.filter( const pendingingSaves = message.system.targets.filter(
@ -229,8 +230,9 @@ export default class DhpChatLog extends foundry.applications.sidebar.tabs.ChatLo
return ui.notifications.info(game.i18n.localize('DAGGERHEART.UI.Notifications.noTargetsSelected')); return ui.notifications.info(game.i18n.localize('DAGGERHEART.UI.Notifications.noTargetsSelected'));
for (let target of targets) { for (let target of targets) {
let damages = foundry.utils.deepClone(message.system.damage?.roll ?? message.system.roll); let damages = foundry.utils.deepClone(message.system.damage);
if ( if (
!message.system.hasHealing &&
message.system.onSave && message.system.onSave &&
message.system.targets.find(t => t.id === target.id)?.saved?.success === true message.system.targets.find(t => t.id === target.id)?.saved?.success === true
) { ) {

View file

@ -1,6 +1,7 @@
import DhpActor from '../../documents/actor.mjs'; import DhpActor from '../../documents/actor.mjs';
import D20RollDialog from '../../applications/dialogs/d20RollDialog.mjs'; import D20RollDialog from '../../applications/dialogs/d20RollDialog.mjs';
import { ActionMixin } from '../fields/actionField.mjs'; import { ActionMixin } from '../fields/actionField.mjs';
import { abilities } from '../../config/actorConfig.mjs';
const fields = foundry.data.fields; const fields = foundry.data.fields;
@ -157,22 +158,26 @@ export default class DHBaseAction extends ActionMixin(foundry.abstract.DataModel
prepareConfig(event) { prepareConfig(event) {
return { return {
event, event,
title: this.item.name, title: `${this.item.name}: ${this.name}`,
source: { source: {
item: this.item._id, item: this.item._id,
action: this._id, action: this._id,
actor: this.actor.uuid actor: this.actor.uuid
}, },
dialog: {}, dialog: {
configure: this.hasRoll
},
type: this.type, type: this.type,
hasRoll: this.hasRoll, hasRoll: this.hasRoll,
hasDamage: this.damage?.parts?.length && this.type !== 'healing', hasDamage: this.damage?.parts?.length && this.type !== 'healing',
hasHealing: this.damage?.parts?.length && this.type === 'healing', hasHealing: this.damage?.parts?.length && this.type === 'healing',
hasEffect: !!this.effects?.length, hasEffect: !!this.effects?.length,
hasSave: this.hasSave, hasSave: this.hasSave,
hasTarget: true,
selectedRollMode: game.settings.get('core', 'rollMode'), selectedRollMode: game.settings.get('core', 'rollMode'),
isFastForward: event.shiftKey, isFastForward: event.shiftKey,
data: this.getRollData() data: this.getRollData(),
evaluate: this.hasRoll
}; };
} }
@ -189,7 +194,9 @@ export default class DHBaseAction extends ActionMixin(foundry.abstract.DataModel
formula: this.roll.getFormula(), formula: this.roll.getFormula(),
advantage: CONFIG.DH.ACTIONS.advantageState[this.roll.advState].value advantage: CONFIG.DH.ACTIONS.advantageState[this.roll.advState].value
}; };
if (this.roll?.type === 'diceSet') roll.lite = true; if (this.roll?.type === 'diceSet'
|| !this.hasRoll
) roll.lite = true;
return roll; return roll;
} }
@ -293,19 +300,27 @@ export default class DHBaseAction extends ActionMixin(foundry.abstract.DataModel
/* SAVE */ /* SAVE */
async rollSave(actor, event, message) { async rollSave(actor, event, message) {
if (!actor) return; if (!actor) return;
const title = actor.isNPC
? game.i18n.localize('DAGGERHEART.GENERAL.reactionRoll')
: game.i18n.format('DAGGERHEART.UI.Chat.dualityRoll.abilityCheckTitle', {
ability: game.i18n.localize(abilities[this.save.trait]?.label)
});
return actor.diceRoll({ return actor.diceRoll({
event, event,
title: 'Roll Save', title,
roll: { roll: {
trait: this.save.trait, trait: this.save.trait,
difficulty: this.save.difficulty ?? this.actor?.baseSaveDifficulty, difficulty: this.save.difficulty ?? this.actor?.baseSaveDifficulty,
type: 'reaction' type: 'reaction'
}, },
type: 'trait',
hasRoll: true,
data: actor.getRollData() data: actor.getRollData()
}); });
} }
updateSaveMessage(result, message, targetId) { updateSaveMessage(result, message, targetId) {
if(!result) return;
const updateMsg = this.updateChatMessage.bind(this, message, targetId, { const updateMsg = this.updateChatMessage.bind(this, message, targetId, {
result: result.roll.total, result: result.roll.total,
success: result.roll.success success: result.roll.success

View file

@ -34,6 +34,7 @@ export default class DHDamageAction extends DHBaseAction {
} }
async rollDamage(event, data) { async rollDamage(event, data) {
// console.log(data)
const systemData = data.system ?? data; const systemData = data.system ?? data;
let formulas = this.damage.parts.map(p => ({ let formulas = this.damage.parts.map(p => ({
@ -46,6 +47,36 @@ export default class DHDamageAction extends DHBaseAction {
formulas = this.formatFormulas(formulas, systemData); formulas = this.formatFormulas(formulas, systemData);
delete systemData.evaluate;
systemData.targets.forEach(t => t.hit = true);
const config = {
...systemData,
roll: formulas,
dialog: {},
data: this.getRollData()
}
if (this.hasSave) config.onSave = this.save.damageMod;
if (data.system) {
config.source.message = data._id;
config.directDamage = false;
} else {
config.directDamage = true;
}
return CONFIG.Dice.daggerheart.DamageRoll.build(config);
/* const systemData = data.system ?? data;
let formulas = this.damage.parts.map(p => ({
formula: this.getFormulaValue(p, data).getFormula(this.actor),
damageTypes: p.applyTo === 'hitPoints' && !p.type.size ? new Set(['physical']) : p.type,
applyTo: p.applyTo
}));
if (!formulas.length) return;
formulas = this.formatFormulas(formulas, systemData);
const config = { const config = {
title: game.i18n.format(`DAGGERHEART.UI.Chat.${ this.type === 'healing' ? 'healing' : 'damage'}Roll.title`, { damage: game.i18n.localize(this.name) }), title: game.i18n.format(`DAGGERHEART.UI.Chat.${ this.type === 'healing' ? 'healing' : 'damage'}Roll.title`, { damage: game.i18n.localize(this.name) }),
roll: formulas, roll: formulas,
@ -53,6 +84,9 @@ export default class DHDamageAction extends DHBaseAction {
hasSave: this.hasSave, hasSave: this.hasSave,
isCritical: systemData.roll?.isCritical ?? false, isCritical: systemData.roll?.isCritical ?? false,
isHealing: this.type === 'healing', isHealing: this.type === 'healing',
hasDamage: this.type !== 'healing',
hasHealing: this.type === 'healing',
hasTarget: true,
source: systemData.source, source: systemData.source,
data: this.getRollData(), data: this.getRollData(),
event event
@ -65,6 +99,6 @@ export default class DHDamageAction extends DHBaseAction {
config.directDamage = true; config.directDamage = true;
} }
return CONFIG.Dice.daggerheart.DamageRoll.build(config); return CONFIG.Dice.daggerheart.DamageRoll.build(config); */
} }
} }

View file

@ -26,6 +26,8 @@ export default class DHAdversaryRoll extends foundry.abstract.TypeDataModel {
hasHealing: new fields.BooleanField({ initial: false }), hasHealing: new fields.BooleanField({ initial: false }),
hasEffect: new fields.BooleanField({ initial: false }), hasEffect: new fields.BooleanField({ initial: false }),
hasSave: new fields.BooleanField({ initial: false }), hasSave: new fields.BooleanField({ initial: false }),
hasTarget: new fields.BooleanField({ initial: false }),
onSave: new fields.StringField(),
source: new fields.SchemaField({ source: new fields.SchemaField({
actor: new fields.StringField(), actor: new fields.StringField(),
item: new fields.StringField(), item: new fields.StringField(),
@ -54,5 +56,8 @@ export default class DHAdversaryRoll extends foundry.abstract.TypeDataModel {
return a; return a;
}, {hit: 0, miss: 0}) }, {hit: 0, miss: 0})
} }
this.pendingSaves = this.targets.filter(
target => target.hit && target.saved.success === null
).length > 0;
} }
} }

View file

@ -19,7 +19,7 @@ export default class DHDamageRoll extends foundry.abstract.TypeDataModel {
}) })
}) })
), ),
targetSelection: new fields.BooleanField({ initial: true }), targetSelection: new fields.BooleanField({ initial: false }),
hasSave: new fields.BooleanField({ initial: false }), hasSave: new fields.BooleanField({ initial: false }),
isHealing: new fields.BooleanField({ initial: false }), isHealing: new fields.BooleanField({ initial: false }),
onSave: new fields.StringField(), onSave: new fields.StringField(),
@ -29,7 +29,12 @@ export default class DHDamageRoll extends foundry.abstract.TypeDataModel {
action: new fields.StringField(), action: new fields.StringField(),
message: new fields.StringField() message: new fields.StringField()
}), }),
directDamage: new fields.BooleanField({ initial: true }) directDamage: new fields.BooleanField({ initial: true }),
damage: new fields.ObjectField(),
hasRoll: new fields.BooleanField({ initial: false }),
hasDamage: new fields.BooleanField({ initial: false }),
hasHealing: new fields.BooleanField({ initial: false }),
hasEffect: new fields.BooleanField({ initial: false })
}; };
} }
@ -46,5 +51,15 @@ export default class DHDamageRoll extends foundry.abstract.TypeDataModel {
game.system.api.fields.ActionFields.TargetField.formatTarget(t) game.system.api.fields.ActionFields.TargetField.formatTarget(t)
) )
: this.targets; : this.targets;
if(this.targetSelection === true) {
this.targetShort = this.targets.reduce((a,c) => {
if(c.hit) a.hit += 1;
else c.miss += 1;
return a;
}, {hit: 0, miss: 0})
}
this.pendingSaves = this.targets.filter(
target => target.hit && target.saved.success === null
).length > 0;
} }
} }

View file

@ -26,7 +26,7 @@ export default class CostField extends fields.ArrayField {
} }
static calcCosts(costs) { static calcCosts(costs) {
console.log(costs, CostField.getResources.call(this, costs)); // console.log(costs, CostField.getResources.call(this, costs));
const resources = CostField.getResources.call(this, costs); const resources = CostField.getResources.call(this, costs);
return costs.map(c => { return costs.map(c => {
c.scale = c.scale ?? 1; c.scale = c.scale ?? 1;

View file

@ -6,19 +6,20 @@ export default class DamageRoll extends DHRoll {
super(formula, data, options); super(formula, data, options);
} }
static messageType = 'damageRoll'; static messageType = 'dualityRoll';
static DefaultDialog = DamageDialog; static DefaultDialog = DamageDialog;
static async buildEvaluate(roll, config = {}, message = {}) { static async buildEvaluate(roll, config = {}, message = {}) {
if (config.evaluate !== false) { console.log(roll,config)
// if (config.dialog.configure === false) roll.constructFormula(config); if (config.evaluate !== false)
for (const roll of config.roll) await roll.roll.evaluate(); for (const roll of config.roll) await roll.roll.evaluate();
}
roll._evaluated = true; roll._evaluated = true;
const parts = config.roll.map(r => this.postEvaluate(r)); const parts = config.roll.map(r => this.postEvaluate(r));
config.roll = this.unifyDamageRoll(parts); config.damage = this.unifyDamageRoll(parts);
config.targetSelection = config.targets?.length
} }
static postEvaluate(roll, config = {}) { static postEvaluate(roll, config = {}) {
@ -32,14 +33,6 @@ export default class DamageRoll extends DHRoll {
}; };
} }
static async buildPost(roll, config, message) {
await super.buildPost(roll, config, message);
if (config.source?.message) {
const chatMessage = ui.chat.collection.get(config.source.message);
chatMessage.update({ 'system.damage': config });
}
}
static unifyDamageRoll(rolls) { static unifyDamageRoll(rolls) {
const unified = {}; const unified = {};
rolls.forEach(r => { rolls.forEach(r => {

View file

@ -52,9 +52,11 @@ export default class DHRoll extends Roll {
} }
static async buildEvaluate(roll, config = {}, message = {}) { static async buildEvaluate(roll, config = {}, message = {}) {
if (config.evaluate !== false) await roll.evaluate(); if (config.evaluate !== false) {
await roll.evaluate();
config.roll = this.postEvaluate(roll, config); config.roll = this.postEvaluate(roll, config);
} }
}
static async buildPost(roll, config, message) { static async buildPost(roll, config, message) {
for (const hook of config.hooks) { for (const hook of config.hooks) {
@ -62,15 +64,24 @@ export default class DHRoll extends Roll {
} }
// Create Chat Message // Create Chat Message
if (roll instanceof CONFIG.Dice.daggerheart.DamageRoll && Object.values(config.roll)?.length) { // if (roll instanceof CONFIG.Dice.daggerheart.DamageRoll && Object.values(config.roll)?.length) {
const pool = foundry.dice.terms.PoolTerm.fromRolls( // const pool = foundry.dice.terms.PoolTerm.fromRolls(
Object.values(config.roll).flatMap(r => r.parts.map(p => p.roll)) // Object.values(config.roll).flatMap(r => r.parts.map(p => p.roll))
); // );
roll = Roll.fromTerms([pool]); // roll = Roll.fromTerms([pool]);
} // }
if (config.source?.message) { if (config.source?.message) {
if (game.modules.get('dice-so-nice')?.active) await game.dice3d.showForRoll(roll, game.user, true); if (game.modules.get('dice-so-nice')?.active) await game.dice3d.showForRoll(roll, game.user, true);
} else config.message = await this.toMessage(roll, config); const chatMessage = ui.chat.collection.get(config.source.message);
chatMessage.update({ 'system.damage': config.damage });
} else {
console.log(roll, config)
config.message = await this.toMessage(roll, config);
// if(roll._evaluated) {
// const cls = getDocumentClass('ChatMessage');
// await cls.create(config.message, { rollMode: config.selectedRollMode });
// }
}
} }
static postEvaluate(roll, config = {}) { static postEvaluate(roll, config = {}) {
@ -97,7 +108,11 @@ export default class DHRoll extends Roll {
system: config, system: config,
rolls: [roll] rolls: [roll]
}; };
return await cls.create(msg, { rollMode: config.selectedRollMode }); // msg.applyRollMode(config.selectedRollMode);
// return msg;
if(roll._evaluated) return await cls.create(msg, { rollMode: config.selectedRollMode });
return msg;
// return await cls.create(msg);
} }
static applyKeybindings(config) { static applyKeybindings(config) {

View file

@ -17,7 +17,7 @@ export default class DhpChatMessage extends foundry.documents.ChatMessage {
if (this.type === 'dualityRoll') { if (this.type === 'dualityRoll') {
html.classList.add('duality'); html.classList.add('duality');
switch (this.system.roll.result.duality) { switch (this.system.roll?.result?.duality) {
case 1: case 1:
html.classList.add('hope'); html.classList.add('hope');
break; break;

View file

@ -11,7 +11,8 @@ export default class RegisterHandlebarsHelpers {
damageSymbols: this.damageSymbols, damageSymbols: this.damageSymbols,
rollParsed: this.rollParsed, rollParsed: this.rollParsed,
hasProperty: foundry.utils.hasProperty, hasProperty: foundry.utils.hasProperty,
setVar: this.setVar setVar: this.setVar,
empty: this.empty
}); });
} }
static add(a, b) { static add(a, b) {
@ -65,4 +66,9 @@ export default class RegisterHandlebarsHelpers {
static setVar(name, value, context) { static setVar(name, value, context) {
this[name] = value; this[name] = value;
} }
static empty(object) {
if(!(typeof object === 'object')) return true;
return Object.keys(object).length === 0;
}
} }

View file

@ -34,11 +34,16 @@
font-size: var(--font-size-12); font-size: var(--font-size-12);
padding: 0 20px; padding: 0 20px;
> .roll-part-header {
font-size: var(--font-size-14);
}
.roll-part-header { .roll-part-header {
display: grid; display: grid;
grid-template-columns: 1fr auto 1fr; grid-template-columns: 1fr auto 1fr;
align-items: center; align-items: center;
color: light-dark(@dark, @beige); color: light-dark(@dark, @beige);
margin: 5px 0;
span { span {
display: flex; display: flex;
@ -169,12 +174,16 @@
.target-choice { .target-choice {
display: flex; display: flex;
justify-content: space-evenly;
font-size: var(--font-size-14); font-size: var(--font-size-14);
color: var(--text-color); color: var(--text-color);
padding: 5px 0; padding: 5px 0;
.target-selected { .button-target-selection {
flex: 1;
text-align: center;
}
.button-target-selection:hover, .target-selected {
font-weight: bold; font-weight: bold;
text-shadow: 0px 0px 8px var(--text-color); text-shadow: 0px 0px 8px var(--text-color);
} }
@ -201,6 +210,26 @@
.target-data { .target-data {
flex: 1; flex: 1;
} }
.target-save {
display: flex;
align-items: center;
justify-content: center;
width: 22px;
height: 22px;
&:hover > i {
scale: 1.2;
}
i {
&.fa-check {
color: @green;
}
&.fa-xmark {
color: @medium-red;
}
}
}
} }
} }
@ -278,6 +307,23 @@
.roll-part-content { .roll-part-content {
gap: 10px; gap: 10px;
} }
.roll-part-extra {
position: relative;
.target-pending-saves {
display: flex;
align-items: center;
justify-content: center;
height: 25px;
width: 25px;
&.is-absolute {
position: absolute;
bottom: 0;
right: 0;
}
}
}
} }
.roll-buttons { .roll-buttons {

View file

@ -8,7 +8,7 @@
<input name="uses.enabled" type="checkbox"{{#if uses.enabled}} checked{{/if}}> <input name="uses.enabled" type="checkbox"{{#if uses.enabled}} checked{{/if}}>
<label for="uses.enabled">Uses</label> <label for="uses.enabled">Uses</label>
</div> </div>
</div>{{log @root}} </div>
<label class="modifier-label">{{uses.value}}/{{formulaValue uses.max @root.rollConfig.data}}</label> <label class="modifier-label">{{uses.value}}/{{formulaValue uses.max @root.rollConfig.data}}</label>
</li> </li>
{{/if}} {{/if}}

View file

@ -1,17 +1,17 @@
<div class="roll-buttons"> <div class="roll-buttons">
{{#if hasDamage}} {{#if hasDamage}}
{{#if damage.roll}} {{#unless (empty damage)}}
<button class="duality-action damage-button">{{localize "DAGGERHEART.UI.Chat.damageRoll.dealDamage"}}</button> <button class="duality-action damage-button">{{localize "DAGGERHEART.UI.Chat.damageRoll.dealDamage"}}</button>
{{else}} {{else}}
<button class="duality-action duality-action-damage">{{localize "DAGGERHEART.UI.Chat.attackRoll.rollDamage"}}</button> <button class="duality-action duality-action-damage">{{localize "DAGGERHEART.UI.Chat.attackRoll.rollDamage"}}</button>
{{/if}} {{/unless}}
{{/if}} {{/if}}
{{#if hasHealing}} {{#if hasHealing}}
{{#if damage.roll}} {{#unless (empty damage)}}
<button class="duality-action damage-button">{{localize "DAGGERHEART.UI.Chat.healingRoll.applyHealing"}}</button> <button class="duality-action damage-button">{{localize "DAGGERHEART.UI.Chat.healingRoll.applyHealing"}}</button>
{{else}} {{else}}
<button class="duality-action duality-action-damage">{{localize "DAGGERHEART.UI.Chat.attackRoll.rollHealing"}}</button> <button class="duality-action duality-action-damage">{{localize "DAGGERHEART.UI.Chat.attackRoll.rollHealing"}}</button>
{{/if}} {{/unless}}
{{/if}} {{/if}}
{{#if hasEffect}}<button>{{localize "DAGGERHEART.UI.Chat.attackRoll.applyEffect"}}</button>{{/if}} {{#if hasEffect}}<button>{{localize "DAGGERHEART.UI.Chat.attackRoll.applyEffect"}}</button>{{/if}}
</div> </div>

View file

@ -1,8 +1,8 @@
<div class="roll-part damage-section dice-roll" data-action="expandRoll"> <div class="roll-part damage-section dice-roll" data-action="expandRoll">{{log this}}
<div class="roll-part-header"><div><span>Damage</span></div></div> <div class="roll-part-header"><div><span>Damage</span></div></div>
<div class="roll-part-extra on-reduced"> <div class="roll-part-extra on-reduced">
<div class="wrapper"> <div class="wrapper">
{{#each damage.roll as | roll index | }} {{#each damage as | roll index | }}
<div class="roll-formula">{{localize (concat 'DAGGERHEART.CONFIG.HealingType.' index '.name')}}: {{total}}</div> <div class="roll-formula">{{localize (concat 'DAGGERHEART.CONFIG.HealingType.' index '.name')}}: {{total}}</div>
{{/each}} {{/each}}
</div> </div>
@ -10,7 +10,7 @@
<div class="roll-part-content dice-result"> <div class="roll-part-content dice-result">
<div class="dice-tooltip"> <div class="dice-tooltip">
<div class="wrapper"> <div class="wrapper">
{{#each damage.roll as | roll index | }} {{#each damage as | roll index | }}
<fieldset> <fieldset>
<legend> <legend>
{{localize (concat 'DAGGERHEART.CONFIG.HealingType.' index '.name')}} <div class="roll-formula">{{localize "DAGGERHEART.GENERAL.total"}}: {{roll.total}}</div> {{localize (concat 'DAGGERHEART.CONFIG.HealingType.' index '.name')}} <div class="roll-formula">{{localize "DAGGERHEART.GENERAL.total"}}: {{roll.total}}</div>

View file

@ -1,5 +1,4 @@
<div class="roll-part roll-section"> <div class="roll-part roll-section">
<div class="roll-part-header"><span>{{title}}</span></div>
<div class="roll-part-content"> <div class="roll-part-content">
<div class="roll-result-container"> <div class="roll-result-container">
<span class="roll-result-value">{{roll.total}}</span> <span class="roll-result-value">{{roll.total}}</span>

View file

@ -1,17 +1,20 @@
<div class="roll-part target-section dice-roll" data-action="expandRoll"> <div class="roll-part target-section dice-roll" data-action="expandRoll">
<div class="roll-part-header"><div><span>Target</span></div></div> <div class="roll-part-header"><div><span>Target</span></div></div>
{{#if targets.length}} {{#if (and targets.length (or hasRoll (and hasSave pendingSaves)))}}{{log this}}
<div class="roll-part-extra on-reduced"> <div class="roll-part-extra on-reduced">
<div class="wrapper"> <div class="wrapper">
{{#if hasRoll}}
<div class="target-hit-status">{{targetShort.hit}} {{#if (gt targetShort.hit 1)}}{{localize "DAGGERHEART.GENERAL.hit.single"}}{{else}}{{localize "DAGGERHEART.GENERAL.hit.plural"}}{{/if}}</div> <div class="target-hit-status">{{targetShort.hit}} {{#if (gt targetShort.hit 1)}}{{localize "DAGGERHEART.GENERAL.hit.single"}}{{else}}{{localize "DAGGERHEART.GENERAL.hit.plural"}}{{/if}}</div>
<div class="target-hit-status is-miss">{{targetShort.miss}} {{#if (gt targetShort.miss 1)}}{{localize "DAGGERHEART.GENERAL.miss.single"}}{{else}}{{localize "DAGGERHEART.GENERAL.miss.plural"}}{{/if}}</div> <div class="target-hit-status is-miss">{{targetShort.miss}} {{#if (gt targetShort.miss 1)}}{{localize "DAGGERHEART.GENERAL.miss.single"}}{{else}}{{localize "DAGGERHEART.GENERAL.miss.plural"}}{{/if}}</div>
{{/if}}
{{#if (and hasSave pendingSaves)}}<div class="target-pending-saves{{#if hasRoll}} is-absolute{{/if}}" data-tooltip="{{localize "DAGGERHEART.UI.Tooltip.pendingSaves"}}" data-tooltip-direction="UP"><i class="fa-solid fa-shield fa-lg fa-beat"></i></div>{{/if}}
</div> </div>
</div> </div>
{{/if}} {{/if}}
<div class="roll-part-content dice-result"> <div class="roll-part-content dice-result">
<div class="dice-tooltip"> <div class="dice-tooltip">
<div class="wrapper"> <div class="wrapper">
{{#if targetSelection}} {{#if targets.length}}
<div class="target-selector"> <div class="target-selector">
<div class="roll-part-header"><div></div></div> <div class="roll-part-header"><div></div></div>
<div class="target-choice"> <div class="target-choice">
@ -21,13 +24,13 @@
<div class="roll-part-header"><div></div></div> <div class="roll-part-header"><div></div></div>
</div> </div>
{{/if}} {{/if}}
{{#if roll.hasSave}}<div class="roll-part-extra">Reaction Roll All Targets<i class="fa-solid fa-shield fa-lg"></i></div>{{/if}} {{#if (and hasSave @root.targetSelection pendingSaves)}}<div class="roll-part-extra roll-all-save-button">Reaction Roll All Targets<i class="fa-solid fa-shield fa-lg"></i></div>{{/if}}
{{#each currentTargets}} {{#each currentTargets}}
<div class="roll-target" data-token="{{id}}"> <div class="roll-target" data-token="{{id}}">
<img class="target-img" src="{{img}}"> <img class="target-img" src="{{img}}">
<div class="target-data"> <div class="target-data">
<div class="target-name">{{name}}</div> <div class="target-name">{{name}}</div>
{{#if ../targetSelection}} {{#if (and ../targetSelection ../hasRoll)}}
<div class="target-hit-status {{#if hit}}is-hit{{else}}is-miss{{/if}}"> <div class="target-hit-status {{#if hit}}is-hit{{else}}is-miss{{/if}}">
{{#if hit}} {{#if hit}}
{{localize "DAGGERHEART.GENERAL.hit.single"}} {{localize "DAGGERHEART.GENERAL.hit.single"}}
@ -37,7 +40,11 @@
</div> </div>
{{/if}} {{/if}}
</div> </div>
{{#if ../roll.hasSave}}<i class="fa-solid fa-shield fa-lg"></i>{{/if}} {{#if (and ../hasSave hit @root.targetSelection)}}
<div class="target-save{{#if saved.result includeZero=true}} is-rolled{{/if}}" data-perm-id="{{actorId}}">
<i class="fa-solid {{#if saved.result includeZero=true}}{{#if saved.success}}fa-check{{else}}fa-xmark{{/if}}{{else}}fa-shield{{/if}} fa-lg"></i>
</div>
{{/if}}
</div> </div>
{{else}} {{else}}
<i>{{localize "DAGGERHEART.GENERAL.noTarget"}}</i> <i>{{localize "DAGGERHEART.GENERAL.noTarget"}}</i>

View file

@ -1,7 +1,8 @@
<div class="chat-roll">{{log this}} <div class="chat-roll">
<div class="roll-part-header"><span>{{title}}</span></div>
{{#if hasRoll}}{{> 'systems/daggerheart/templates/ui/chat/parts/roll-part.hbs'}}{{/if}} {{#if hasRoll}}{{> 'systems/daggerheart/templates/ui/chat/parts/roll-part.hbs'}}{{/if}}
{{#if (and damage.roll (or hasDamage hasHealing))}}{{> 'systems/daggerheart/templates/ui/chat/parts/damage-part.hbs'}}{{/if}} {{#if (and (not (empty damage)) (or hasDamage hasHealing))}}{{> 'systems/daggerheart/templates/ui/chat/parts/damage-part.hbs'}}{{/if}}
{{> 'systems/daggerheart/templates/ui/chat/parts/target-part.hbs'}} {{#if hasTarget}}{{> 'systems/daggerheart/templates/ui/chat/parts/target-part.hbs'}}{{/if}}
<div class="roll-part-header"><div></div></div> <div class="roll-part-header"><div></div></div>
</div> </div>
{{> 'systems/daggerheart/templates/ui/chat/parts/button-part.hbs'}} {{> 'systems/daggerheart/templates/ui/chat/parts/button-part.hbs'}}