50 lines
1.8 KiB
GDScript
50 lines
1.8 KiB
GDScript
extends Node
|
|
|
|
func _ready() -> void:
|
|
EventBus.damage_requested.connect(_on_damage_requested)
|
|
EventBus.heal_requested.connect(_on_heal_requested)
|
|
|
|
func _process(delta: float) -> void:
|
|
for entity in Stats.entities:
|
|
if not is_instance_valid(entity):
|
|
continue
|
|
var data: Dictionary = Stats.entities[entity]
|
|
if not data["alive"]:
|
|
continue
|
|
var regen: float = data["health_regen"]
|
|
if regen > 0 and data["health"] < data["max_health"]:
|
|
data["health"] = min(data["health"] + regen * delta, data["max_health"])
|
|
EventBus.health_changed.emit(entity, data["health"], data["max_health"])
|
|
|
|
func _on_damage_requested(attacker: Node, target: Node, amount: float) -> void:
|
|
if not Stats.is_alive(target):
|
|
return
|
|
var remaining: float = amount
|
|
var shield_system: Node = get_node_or_null("../ShieldSystem")
|
|
if shield_system:
|
|
remaining = shield_system.absorb(target, remaining)
|
|
EventBus.damage_dealt.emit(attacker, target, amount)
|
|
if remaining > 0:
|
|
_take_damage(target, remaining)
|
|
|
|
func _take_damage(entity: Node, amount: float) -> void:
|
|
var health: float = Stats.get_stat(entity, "health")
|
|
health -= amount
|
|
if health <= 0:
|
|
health = 0
|
|
Stats.set_stat(entity, "health", health)
|
|
var max_health: float = Stats.get_stat(entity, "max_health")
|
|
EventBus.health_changed.emit(entity, health, max_health)
|
|
if health <= 0:
|
|
Stats.set_stat(entity, "alive", false)
|
|
EventBus.entity_died.emit(entity)
|
|
|
|
func _on_heal_requested(healer: Node, target: Node, amount: float) -> void:
|
|
if not Stats.is_alive(target):
|
|
return
|
|
var health: float = Stats.get_stat(target, "health")
|
|
var max_health: float = Stats.get_stat(target, "max_health")
|
|
health = min(health + amount, max_health)
|
|
Stats.set_stat(target, "health", health)
|
|
EventBus.health_changed.emit(target, health, max_health)
|