关于unity:黑魂复刻游戏的计时器类及按键双击功能Unity随手记

30次阅读

共计 1935 个字符,预计需要花费 5 分钟才能阅读完成。

明天实现的内容:
计时器类
计时器类,预计是个游戏都用得上。咱们将专门实现一个计时器类,马上就会在实现按钮长按判断和双击判断中用上。
过后,设置计时器的 duration,执行 Go 办法,计时器状态将在 elapsedTime >= duration 时从 RUN 变为 FINISHED,计时器代码如下:

using System.Collections;
using System.Collections.Generic;
using UnityEngine;

public class MyTimer
{
    // 计时器的状态
    public enum TIMER_STATE
    {
        IDLE,
        RUN,
        FINISHED
    }
    // 以后计时器的状态
    public TIMER_STATE state;
    // duration 秒之后计时器进行执行
    public float duration = 1.0f;
    // 计时器执行的工夫
    public float elapsedTime;

    // 计时器更新办法
    public void Tick(float _deltaTimer)
    {switch (state)
        {
            case TIMER_STATE.IDLE:

                break;
            case TIMER_STATE.RUN:
                elapsedTime += _deltaTimer;
                if (elapsedTime >= duration)
                    state = TIMER_STATE.FINISHED;
                break;
            case TIMER_STATE.FINISHED:

                break;
            default:
                break;
        }
    }

    // 计时器开始执行
    public void Go()
    {
        elapsedTime = 0;
        state = TIMER_STATE.RUN;
    }
}

应用计时器类实现按键双击判断
给 MyButton 类新增信号 IsExtending,当刚刚松开按键时,咱们会开启计时器,在计时器执行期间,IsExtending 会被设置为 true。那么双击的逻辑就很分明了,只有在 IsExtending 为 true 时按下了按键,就判断为双击。

上面的代码展现了增加了计时器用于设置 Extending 的 MyButton 类。要实现双击的代码还没有写出,能够在 MyButton 类中增加一个新的信号,或者在须要双击判断的中央查看以后 isExtending 和 isPressing 是否都为 true。

using System.Collections;
using System.Collections.Generic;
using UnityEngine;

// 自制按钮类
public class MyButton
{
    public float extendingDuration = 0.2f; // 按钮的双击 / 连击断定时长

    public bool isPressing = false; // 正在按压
    public bool onPressed = false; // 刚刚按下
    public bool onRelease = false; // 刚刚被开释
    public bool isExtending = false; // 开释按键后的一段时间内

    private bool currentState = false; // 以后状态
    private bool lastState = false; // 上一帧的状态
    private MyTimer extendingTimer = new MyTimer(); //Extending 计时器

    // 更新 MyButton
    public void Tick(bool _input)
    {
        onPressed = false; //OnPressd 只有一种状况下是 true 所以每次都先设置为 false
        onRelease = false; // 与 OnPressed 同理

        currentState = _input; // 按键的以后状态永远和对应物理按键的状态统一

        isPressing = currentState; // 是否被按下 按下就是 true

        if (currentState != lastState) // 判断是否刚刚按下按键或刚刚松开按键
        {if (currentState == true)
                onPressed = true;
            else
            {
                onRelease = true;
                StartTimer(extendingTimer, extendingDuration);
            }

        }

        lastState = currentState; // 完结时将上一帧状态更新为以后帧状态

        isExtending = (extendingTimer.state == MyTimer.TIMER_STATE.RUN) ? true : false; // 设置 extending
    }

    private void StartTimer(MyTimer _timer, float _extDuration)
    {
        _timer.duration = _extDuration;
        _timer.Go();}
}

正文完
 0