设置角色攻击动画的间隔时间,创建生命值脚本,添加攻击触发事件
Fighter:
- using System.Collections;
- using System.Collections.Generic;
- using UnityEngine;
- using RPG.Movement;
- using RPG.Core;
-
-
- namespace RPG.Combat
- {
- //攻击
- public class Fighter : MonoBehaviour, IAction
- {
- [SerializeField] float weaponRange = 2f;// 武器范围,表示武器可以攻击的最大距离
- [SerializeField] float timeBetweenAttacks = 1f;//攻击间隔时间
- [SerializeField] float weaponDamage = 5f;//武器伤害
-
- Transform target;// 当前攻击的目标
- [SerializeField] float timeSinceLastAttack = 0;//攻击后的时间统计
-
- private Mover mover;// 用于移动角色的 Mover 组件
- private bool isInRange;// 标记目标是否在攻击范围内
-
- private void Start()
- {
- mover = GetComponent<Mover>();// 获取 Mover 组件
- }
-
- private void Update()
- {
-
- timeSinceLastAttack += Time.deltaTime;//设置攻击后的时间统计累加
-
-
- if (target == null) return;// 如果目标为空,则不进行任何操作
-
-
- if (!GetIsInRange()) // 如果目标不在攻击范围内,则移动到目标位置
- {
- mover.MoveTo(target.position);
-
- }
- else
- {
- mover.Cancel(); // 目标在攻击范围内,取消移动,并触发攻击动画
-
- AttackBehaviour();
- }
- }
-
- private void AttackBehaviour()//攻击触发
- {
- if (timeSinceLastAttack > timeBetweenAttacks)
- {
- GetComponent<Animator>().SetTrigger("attack");
- timeSinceLastAttack = 0;//重置攻击后的时间为0
-
- }
- }
-
- // 动画事件:攻击时触发的事件
- private void Hit()
- {
- Health healthComponent = target.GetComponent<Health>();//获取攻击的目标生命值组件
- healthComponent.TakeDamage(weaponDamage);//造成伤害
- }
-
- private bool GetIsInRange()
- {
- return Vector3.Distance(transform.position, target.position) < weaponRange;// 检查目标是否在攻击范围内
- }
-
- public void Attack(CombatTarget combatTarget)
- {
- GetComponent<ActionScheduler>().StartAction(this); // 启动当前动作并设置目标
- target = combatTarget.transform;
-
- }
-
- public void Cancel()
- {
- target = null;// 取消攻击,清除目标
- }
- }
- }
复制代码
Health
- using System.Collections;
- using System.Collections.Generic;
- using UnityEngine;
-
- // 处理生命值系统的脚本
- namespace RPG.Combat
- {
- public class Health : MonoBehaviour
- {
- [SerializeField] float health = 100f;// 当前生命值,初始值为 100
-
- // 处理受伤逻辑的方法
- public void TakeDamage(float damage)
- {
- health = Mathf.Max(health - damage,0);// 减少生命值,确保生命值不会低于 0
- print(health);
- }
- }
- }
-
复制代码
|