use crate::sync::Uid; use serde::{Deserialize, Serialize}; use specs::{Component, FlaggedStorage}; use specs_idvs::IdvStorage; use std::{collections::HashMap, time::Duration}; /// De/buff Kind. /// This is used to determine what effects a buff will have, as well as /// determine the strength and duration of the buff effects using the internal /// values #[derive(Clone, Copy, PartialEq, Eq, Hash, Debug, Serialize, Deserialize)] pub enum BuffKind { /// Restores health/time for some period Regeneration, /// Lowers health over time for some duration Bleeding, /// Prefixes an entity's name with "Cursed" /// Currently placeholder buff to show other stuff is possible Cursed, } impl BuffKind { // Checks if buff is buff or debuff pub fn is_buff(self) -> bool { match self { BuffKind::Regeneration { .. } => true, BuffKind::Bleeding { .. } => false, BuffKind::Cursed { .. } => false, } } } // Struct used to store data relevant to a buff #[derive(Clone, Copy, Debug, Serialize, Deserialize)] pub struct BuffData { pub strength: f32, pub duration: Option, } /// De/buff category ID. /// Similar to `BuffKind`, but to mark a category (for more generic usage, like /// positive/negative buffs). #[derive(Clone, Copy, Eq, PartialEq, Debug, Serialize, Deserialize)] pub enum BuffCategory { Natural, Physical, Magical, Divine, PersistOnDeath, } #[derive(Clone, Debug, Serialize, Deserialize)] pub enum ModifierKind { Additive, Multiplicative, } /// Data indicating and configuring behaviour of a de/buff. #[derive(Clone, Debug, Serialize, Deserialize)] pub enum BuffEffect { /// Periodically damages or heals entity HealthChangeOverTime { rate: f32, accumulated: f32 }, /// Changes maximum health by a certain amount MaxHealthModifier { value: f32, kind: ModifierKind }, } /// Actual de/buff. /// Buff can timeout after some time if `time` is Some. If `time` is None, /// Buff will last indefinitely, until removed manually (by some action, like /// uncursing). /// /// Buff has a kind, which is used to determine the effects in a builder /// function. /// /// To provide more classification info when needed, /// buff can be in one or more buff category. #[derive(Clone, Debug, Serialize, Deserialize)] pub struct Buff { pub kind: BuffKind, pub data: BuffData, pub cat_ids: Vec, pub time: Option, pub effects: Vec, pub source: BuffSource, } /// Information about whether buff addition or removal was requested. /// This to implement "on_add" and "on_remove" hooks for constant buffs. #[derive(Clone, Debug)] pub enum BuffChange { /// Adds this buff. Add(Buff), /// Removes all buffs with this ID. RemoveByKind(BuffKind), /// Removes all buffs with this ID, but not debuffs. RemoveFromController(BuffKind), /// Removes buffs of these indices (first vec is for active buffs, second is /// for inactive buffs), should only be called when buffs expire RemoveById(Vec), /// Removes buffs of these categories (first vec is of categories of which /// all are required, second vec is of categories of which at least one is /// required, third vec is of categories that will not be removed) RemoveByCategory { all_required: Vec, any_required: Vec, none_required: Vec, }, } impl Buff { /// Builder function for buffs pub fn new( kind: BuffKind, data: BuffData, cat_ids: Vec, source: BuffSource, ) -> Self { let (effects, time) = match kind { BuffKind::Bleeding => ( vec![BuffEffect::HealthChangeOverTime { rate: -data.strength, accumulated: 0.0, }], data.duration, ), BuffKind::Regeneration => ( vec![BuffEffect::HealthChangeOverTime { rate: data.strength, accumulated: 0.0, }], data.duration, ), BuffKind::Cursed => ( vec![BuffEffect::MaxHealthModifier { value: -100., kind: ModifierKind::Additive, }], data.duration, ), }; Buff { kind, data, cat_ids, time, effects, source, } } } /// Source of the de/buff #[derive(Clone, Copy, PartialEq, Debug, Serialize, Deserialize)] pub enum BuffSource { /// Applied by a character Character { by: Uid }, /// Applied by world, like a poisonous fumes from a swamp World, /// Applied by command Command, /// Applied by an item Item, /// Applied by another buff (like an after-effect) Buff, /// Some other source Unknown, } /// Component holding all de/buffs that gets resolved each tick. /// On each tick, remaining time of buffs get lowered and /// buff effect of each buff is applied or not, depending on the `BuffEffect` /// (specs system will decide based on `BuffEffect`, to simplify /// implementation). TODO: Something like `once` flag for `Buff` to remove the /// dependence on `BuffEffect` enum? /// /// In case of one-time buffs, buff effects will be applied on addition /// and undone on removal of the buff (by the specs system). /// Example could be decreasing max health, which, if repeated each tick, /// would be probably an undesired effect). #[derive(Clone, Debug, Serialize, Deserialize, Default)] pub struct Buffs { /// Uid used for synchronization id_counter: u64, /// Maps Kinds of buff to Id's of currently applied buffs of that kind pub kinds: HashMap>, // All currently applied buffs stored by Id pub buffs: HashMap, } impl Buffs { fn sort_kind(&mut self, kind: BuffKind) { if let Some(buff_order) = self.kinds.get_mut(&kind) { if buff_order.len() == 0 { self.kinds.remove(&kind); } else { let buffs = &self.buffs; buff_order.sort_by(|a, b| { buffs[&b] .data .strength .partial_cmp(&buffs[&a].data.strength) .unwrap() }); } } } pub fn remove_kind(&mut self, kind: BuffKind) { if let Some(buff_ids) = self.kinds.get_mut(&kind) { for id in buff_ids { self.buffs.remove(id); } self.kinds.remove(&kind); } self.sort_kind(kind); } pub fn force_insert(&mut self, id: BuffId, buff: Buff) -> BuffId { let kind = buff.kind; self.kinds.entry(kind).or_default().push(id); self.buffs.insert(id, buff); self.sort_kind(kind); id } pub fn insert(&mut self, buff: Buff) -> BuffId { self.id_counter += 1; self.force_insert(self.id_counter, buff) } // Iterate through buffs of a given kind in effect order (most powerful first) pub fn iter_kind(&self, kind: BuffKind) -> impl Iterator + '_ { self.kinds .get(&kind) .map(|ids| ids.iter()) .unwrap_or((&[]).iter()) .map(move |id| (*id, &self.buffs[id])) } // Iterates through all active buffs (the most powerful buff of each kind) pub fn iter_active(&self) -> impl Iterator + '_ { self.kinds .values() .map(move |ids| self.buffs.get(&ids[0])) .filter(|buff| buff.is_some()) .map(|buff| buff.unwrap()) } // Gets most powerful buff of a given kind // pub fn get_active_kind(&self, kind: BuffKind) -> Buff pub fn remove(&mut self, buff_id: BuffId) { let kind = self.buffs.remove(&buff_id).unwrap().kind; self.kinds .get_mut(&kind) .map(|ids| ids.retain(|id| *id != buff_id)); self.sort_kind(kind); } } pub type BuffId = u64; impl Component for Buffs { type Storage = FlaggedStorage>; }