1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
use bevy_ecs::prelude::*;
use indexmap::IndexMap;
use valence_protocol::status_effects::StatusEffect;

/// Represents a change in the [`ActiveStatusEffects`] of an [`Entity`].
#[derive(Debug)]
enum StatusEffectChange {
    Apply(ActiveStatusEffect),
    Replace(ActiveStatusEffect),
    Remove(StatusEffect),
    RemoveAll,
    /// **For internal use only.**
    #[doc(hidden)]
    Expire(StatusEffect),
}

/// The result of a duration calculation for a status effect.
pub enum DurationResult {
    /// There are no effects of the given type.
    NoEffects,
    /// The effect has an infinite duration.
    Infinite,
    /// The effect has a finite duration, represented as an integer number of
    /// ticks.
    Finite(i32),
}

/// [`Component`] that stores the [`ActiveStatusEffect`]s of an [`Entity`].
#[derive(Component, Default, Debug)]
pub struct ActiveStatusEffects {
    /// vec is always sorted in descending order of amplifier and ascending
    /// order of duration.
    current_effects: IndexMap<StatusEffect, Vec<ActiveStatusEffect>>,
    changes: Vec<StatusEffectChange>,
}

// public API
impl ActiveStatusEffects {
    /// Applies a new [`ActiveStatusEffect`].
    ///
    /// If the [`ActiveStatusEffect`] is already active:
    /// 1. if the new effect is the same as the old one and its duration is
    ///    longer, it replaces the old effect. Otherwise, it does nothing.
    /// 2. if the new effect is stronger than the old one:
    ///    - if the new effect's duration is longer, it replaces the old effect.
    ///    - if the new effect's duration is shorter, it overrides the old
    /// 3. if the new effect is weaker than the old one and if the new effect's
    ///    duration is longer, it will be overridden by the old effect until the
    ///    old effect's duration is over.
    pub fn apply(&mut self, effect: ActiveStatusEffect) {
        self.changes.push(StatusEffectChange::Apply(effect));
    }

    /// Replace an existing [`ActiveStatusEffect`].
    pub fn replace(&mut self, effect: ActiveStatusEffect) {
        self.changes.push(StatusEffectChange::Replace(effect));
    }

    /// Removes an [`ActiveStatusEffect`].
    pub fn remove(&mut self, effect: StatusEffect) {
        self.changes.push(StatusEffectChange::Remove(effect));
    }

    /// Removes all [`ActiveStatusEffect`]s.
    pub fn remove_all(&mut self) {
        self.changes.push(StatusEffectChange::RemoveAll);
    }

    /// Returns true if there are no effects of the given type.
    pub fn no_effect(&self, effect: StatusEffect) -> bool {
        self.current_effects
            .get(&effect)
            .map_or(true, |effects| effects.is_empty())
    }

    /// Returns true if there is an effect of the given type.
    pub fn has_effect(&self, effect: StatusEffect) -> bool {
        self.current_effects
            .get(&effect)
            .map_or(false, |effects| !effects.is_empty())
    }

    /// Returns true if there are no effects.
    pub fn no_effects(&self) -> bool {
        self.current_effects.is_empty()
    }

    /// Returns true if there are any effects.
    pub fn has_effects(&self) -> bool {
        !self.current_effects.is_empty()
    }

    /// Returns the maximum duration of the given effect.
    pub fn max_duration(&self, effect: StatusEffect) -> DurationResult {
        let effects = self.current_effects.get(&effect);

        match effects {
            None => DurationResult::NoEffects,
            Some(effects) => {
                if let Some(effect) = effects.last() {
                    match effect.remaining_duration() {
                        None => DurationResult::Infinite,
                        Some(duration) => DurationResult::Finite(duration),
                    }
                } else {
                    DurationResult::NoEffects
                }
            }
        }
    }

    /// Gets the current effect of the given type.
    pub fn get_current_effect(&self, effect: StatusEffect) -> Option<&ActiveStatusEffect> {
        self.current_effects
            .get(&effect)
            .and_then(|effects| effects.first())
    }

    /// Gets all the effects of the given type.
    pub fn get_all_effect(&self, effect: StatusEffect) -> Option<&Vec<ActiveStatusEffect>> {
        self.current_effects.get(&effect)
    }

    /// Gets all the current effects.
    pub fn get_current_effects(&self) -> Vec<&ActiveStatusEffect> {
        self.current_effects
            .values()
            .filter_map(|effects| effects.first())
            .collect()
    }

    /// Gets all the effects.
    pub fn get_all_effects(&self) -> &IndexMap<StatusEffect, Vec<ActiveStatusEffect>> {
        &self.current_effects
    }
}

// internal methods
impl ActiveStatusEffects {
    /// Applies an effect.
    ///
    /// The vec must always be sorted in descending order of amplifier and
    /// ascending order of duration.
    ///
    /// Returns true if the effect was applied.
    fn apply_effect(&mut self, effect: ActiveStatusEffect) -> bool {
        let effects = self
            .current_effects
            .entry(effect.status_effect())
            .or_default();

        let duration = effect.remaining_duration();
        let amplifier = effect.amplifier();

        if let Some(index) = effects.iter().position(|e| e.amplifier() <= amplifier) {
            // Found an effect with the same or a lower amplifier.

            let active_status_effect = &effects[index];

            if active_status_effect.remaining_duration() < duration
                || active_status_effect.amplifier() < amplifier
            {
                // if its duration is shorter or its amplifier is lower, override it.
                effects[index] = effect;

                // Remove effects after the current one that have a lower
                // duration.
                let mut remaining_effects = effects.split_off(index + 1);
                remaining_effects.retain(|e| e.remaining_duration() >= duration);
                effects.append(&mut remaining_effects);
                true
            } else if active_status_effect.remaining_duration() > duration
                && active_status_effect.amplifier() < amplifier
            {
                // if its duration is longer and its amplifier is lower, insert
                // the new effect before it.
                effects.insert(index, effect);
                true
            } else {
                // if its duration is longer and its amplifier is higher, do
                // nothing.
                false
            }
        } else {
            // Found no effect with an equal or lower amplifier.
            // This means all effects have a higher amplifier or the vec is
            // empty.

            if let Some(last) = effects.last() {
                // There is at least one effect with a higher amplifier.
                if last.remaining_duration() < effect.remaining_duration() {
                    // if its duration is shorter, we can insert it at the end.
                    effects.push(effect);
                    true
                } else {
                    // if its duration is longer, do nothing.
                    false
                }
            } else {
                // The vec is empty.
                effects.push(effect);
                true
            }
        }
    }

    /// Replaces an effect.
    fn replace_effect(&mut self, effect: ActiveStatusEffect) {
        self.current_effects
            .insert(effect.status_effect(), vec![effect]);
    }

    /// Removes an effect.
    fn remove_effect(&mut self, effect: StatusEffect) {
        self.current_effects.swap_remove(&effect);
    }

    /// Removes all effects.
    fn remove_all_effects(&mut self) {
        self.current_effects.clear();
    }

    /// Removes the strongest effect of the given type, i.e., the first effect
    fn remove_strongest_effect(&mut self, effect: StatusEffect) {
        if let Some(effects) = self.current_effects.get_mut(&effect) {
            effects.remove(0);
        }
    }

    /// **For internal use only.**
    ///
    /// Increments the active tick of all effects by a tick.
    #[doc(hidden)]
    pub fn increment_active_ticks(&mut self) {
        for effects in self.current_effects.values_mut() {
            for effect in effects.iter_mut() {
                effect.increment_active_ticks();

                if effect.expired() {
                    self.changes
                        .push(StatusEffectChange::Expire(effect.status_effect()));
                }
            }
        }
    }

    /// **For internal use only.**
    ///
    /// Applies all the changes.
    ///
    /// Returns a [`IndexMap`] of [`StatusEffect`]s that were updated or removed
    /// and their previous values.
    #[doc(hidden)]
    pub fn apply_changes(&mut self) -> IndexMap<StatusEffect, Option<ActiveStatusEffect>> {
        let current = self.current_effects.clone();
        let find_current = |effect: StatusEffect| {
            current
                .iter()
                .find(|e| *e.0 == effect)
                .map(|e| e.1.first().cloned())?
        };
        let mut updated_effects = IndexMap::new();

        for change in std::mem::take(&mut self.changes) {
            match change {
                StatusEffectChange::Apply(effect) => {
                    let value = effect.status_effect();
                    if self.apply_effect(effect) {
                        updated_effects
                            .entry(value)
                            .or_insert_with(|| find_current(value));
                    }
                }
                StatusEffectChange::Replace(effect) => {
                    let value = effect.status_effect();
                    updated_effects
                        .entry(value)
                        .or_insert_with(|| find_current(value));
                    self.replace_effect(effect);
                }
                StatusEffectChange::Remove(effect) => {
                    self.remove_effect(effect);
                    updated_effects.insert(effect, find_current(effect));
                }
                StatusEffectChange::RemoveAll => {
                    self.remove_all_effects();
                    for (status, effects) in &current {
                        if let Some(effect) = effects.first() {
                            updated_effects.insert(*status, Some(effect.clone()));
                        }
                    }
                }
                StatusEffectChange::Expire(effect) => {
                    self.remove_strongest_effect(effect);
                    updated_effects.insert(effect, find_current(effect));
                }
            }
        }

        updated_effects
    }
}

/// Represents an active status effect.
#[derive(Clone, PartialEq, Eq, PartialOrd, Ord, Hash, Debug)]
pub struct ActiveStatusEffect {
    effect: StatusEffect,
    /// # Default Value
    /// 0
    amplifier: u8,
    /// The initial duration of the effect in ticks.
    /// If `None`, the effect is infinite.
    ///
    /// # Default Value
    /// Some(600) (30 seconds)
    initial_duration: Option<i32>,
    /// The amount of ticks the effect has been active.
    ///
    /// # Default Value
    /// 0
    active_ticks: i32,
    /// # Default Value
    /// false
    ambient: bool,
    /// # Default Value
    /// true
    show_particles: bool,
    /// # Default Value
    /// true
    show_icon: bool,
}

impl ActiveStatusEffect {
    /// Creates a new [`ActiveStatusEffect`].
    pub fn from_effect(effect: StatusEffect) -> Self {
        Self {
            effect,
            amplifier: 0,
            initial_duration: Some(600),
            active_ticks: 0,
            ambient: false,
            show_particles: true,
            show_icon: true,
        }
    }

    /// Sets the amplifier of the [`ActiveStatusEffect`].
    pub fn with_amplifier(mut self, amplifier: u8) -> Self {
        self.amplifier = amplifier;
        self
    }

    /// Sets the duration of the [`ActiveStatusEffect`] in ticks.
    pub fn with_duration(mut self, duration: i32) -> Self {
        self.initial_duration = Some(duration);
        self
    }

    /// Sets the duration of the [`ActiveStatusEffect`] in seconds.
    pub fn with_duration_seconds(mut self, duration: f32) -> Self {
        self.initial_duration = Some((duration * 20.0).round() as i32);
        self
    }

    /// Sets the duration of the [`ActiveStatusEffect`] to infinite.
    pub fn with_infinite(mut self) -> Self {
        self.initial_duration = None;
        self
    }

    /// Sets whether the [`ActiveStatusEffect`] is ambient.
    pub fn with_ambient(mut self, ambient: bool) -> Self {
        self.ambient = ambient;
        self
    }

    /// Sets whether the [`ActiveStatusEffect`] shows particles.
    pub fn with_show_particles(mut self, show_particles: bool) -> Self {
        self.show_particles = show_particles;
        self
    }

    /// Sets whether the [`ActiveStatusEffect`] shows an icon.
    pub fn with_show_icon(mut self, show_icon: bool) -> Self {
        self.show_icon = show_icon;
        self
    }

    /// Increments the active ticks of the [`ActiveStatusEffect`] by one.
    pub fn increment_active_ticks(&mut self) {
        self.active_ticks += 1;
    }

    /// Returns the [`StatusEffect`] of the [`ActiveStatusEffect`].
    pub fn status_effect(&self) -> StatusEffect {
        self.effect
    }

    /// Returns the amplifier of the [`ActiveStatusEffect`].
    pub fn amplifier(&self) -> u8 {
        self.amplifier
    }

    /// Returns the initial duration of the [`ActiveStatusEffect`] in ticks.
    /// Returns `None` if the [`ActiveStatusEffect`] is infinite.
    pub fn initial_duration(&self) -> Option<i32> {
        self.initial_duration
    }

    /// Returns the remaining duration of the [`ActiveStatusEffect`] in ticks.
    /// Returns `None` if the [`ActiveStatusEffect`] is infinite.
    pub fn remaining_duration(&self) -> Option<i32> {
        self.initial_duration
            .map(|duration| duration - self.active_ticks)
    }

    /// Returns the active ticks of the [`ActiveStatusEffect`].
    pub fn active_ticks(&self) -> i32 {
        self.active_ticks
    }

    /// Returns true if the [`ActiveStatusEffect`] is ambient.
    pub fn ambient(&self) -> bool {
        self.ambient
    }

    /// Returns true if the [`ActiveStatusEffect`] shows particles.
    pub fn show_particles(&self) -> bool {
        self.show_particles
    }

    /// Returns true if the [`ActiveStatusEffect`] shows an icon.
    pub fn show_icon(&self) -> bool {
        self.show_icon
    }

    /// Returns true if the [`ActiveStatusEffect`] has expired or if it is
    /// instant.
    pub fn expired(&self) -> bool {
        self.status_effect().instant()
            || self
                .remaining_duration()
                .map_or(false, |duration| duration <= 0)
    }
}

#[cfg(test)]
mod test {
    use super::*;

    #[test]
    fn test_apply_effect() {
        let mut effects = ActiveStatusEffects::default();

        let effect = ActiveStatusEffect::from_effect(StatusEffect::Speed).with_amplifier(1);
        let effect2 = ActiveStatusEffect::from_effect(StatusEffect::Speed).with_amplifier(2);

        let effect3 = ActiveStatusEffect::from_effect(StatusEffect::Strength).with_amplifier(1);
        let effect4 = ActiveStatusEffect::from_effect(StatusEffect::Strength).with_amplifier(2);

        effects.apply(effect.clone());
        effects.apply_changes();
        assert_eq!(
            effects.get_all_effect(StatusEffect::Speed),
            Some(&vec![effect.clone()])
        );

        effects.apply(effect2.clone());
        effects.apply_changes();
        assert_eq!(
            effects.get_all_effect(StatusEffect::Speed),
            Some(&vec![effect2.clone()])
        );

        effects.apply(effect3.clone());
        effects.apply_changes();
        assert_eq!(
            effects.get_all_effect(StatusEffect::Strength),
            Some(&vec![effect3.clone()])
        );

        effects.apply(effect4.clone());
        effects.apply_changes();
        assert_eq!(
            effects.get_all_effect(StatusEffect::Strength),
            Some(&vec![effect4.clone()])
        );
    }

    #[test]
    fn test_apply_effect_duration() {
        let mut effects = ActiveStatusEffects::default();

        let effect = ActiveStatusEffect::from_effect(StatusEffect::Speed)
            .with_amplifier(1)
            .with_duration(100);
        let effect2 = ActiveStatusEffect::from_effect(StatusEffect::Speed)
            .with_amplifier(1)
            .with_duration(200);
        let effect3 = ActiveStatusEffect::from_effect(StatusEffect::Speed)
            .with_amplifier(0)
            .with_duration(300);

        effects.apply(effect.clone());
        effects.apply_changes();
        assert_eq!(
            effects.get_all_effect(StatusEffect::Speed),
            Some(&vec![effect.clone()])
        );

        effects.apply(effect2.clone());
        effects.apply_changes();
        assert_eq!(
            effects.get_all_effect(StatusEffect::Speed),
            Some(&vec![effect2.clone()])
        );

        effects.apply(effect3.clone());
        effects.apply_changes();
        assert_eq!(
            effects.get_all_effect(StatusEffect::Speed),
            Some(&vec![effect2.clone(), effect3.clone()])
        );
    }
}