unity入门学习疑难问题总结

协程(IEnumerator):在学习3D RPG游戏这个项目中,实现人物走过去攻击敌人时用到了协程。这里使用协程的原因是——如果在函数中直接调用while(距离>攻击距离){设置导航目的点},程序将会直接卡死,因为update中的函数调用是在一帧之内执行完的,而导航目的地设置移动的过程是一个好几帧的过程,因此while判断的条件会一直是true,导致死循环。

而协程由于中断指令的出现,使得可以将一个函数分割到多个帧里去执行。

以下为实现代码

    private void EventAttack(GameObject target)
    {
        if (target != null)
        {
            attackTarget = target;
            StartCoroutine(MoveToAttackTarget());
        }
    }
    IEnumerator MoveToAttackTarget()
    {
        agent.isStopped = false;
        transform.LookAt(attackTarget.transform);
        while (Vector3.Distance(attackTarget.transform.position,transform.position)>1)
        {
            agent.destination = attackTarget.transform.position;
            yield return null;//改为yield return new WaitForEndOfFrame()也可以,是同样效果
        }
        agent.isStopped = true;
        if (lastAttackTime < 0)
        {
            anim.SetTrigger("Attack");
            lastAttackTime = 0.5f;
        }
    }

你可能感兴趣的:(学习,unity,学习,游戏引擎)