0

我有一系列位置,我希望我的相机在它们之间移动/移动。有两个按钮(按钮 A 和按钮 B)触发相机移动位置。如果用户按下按钮 A,相机将移动到阵列中的前一个位置。如果用户按下按钮 B,相机将移动到阵列中的下一个位置。然而,在移动到一个新位置之前,我希望相机能够移动到一个中间位置,在那里暂停几秒钟,然后移动。这是我目前拥有的伪代码:

 void Update() 
     {
         if (buttonPress == a) {
             positionToMoveTo = positions[currentPosition--];
         } 
         if (buttonpress == b) {
             positionToMoveTo = positions[currentPosition++];
         }
     }

 void LateUpdate() 
    {
         camera.lerp(intermediatePosition);
         StartCoroutine(pause());
    } 

 IEnumerator pause() 
    {
         yield return new WaitForSeconds(3f);
         camera.lerp(positionToMoveTo);
    }

但这不起作用,因为在切换相机位置时我会感到奇怪的抖动,而且我的中间位置并不总是发生。我认为我的问题与执行顺序有关,但我无法弄清楚。任何帮助都会很棒:)

4

1 回答 1

0

您每帧都启动一个新的协程,因为在所有调用完成后每帧都运行!LateUpdateUpdate

您可以通过稍微不同的方法来避免这种情况:

private bool isIntermediate;
private bool moveCamera;

private void LateUpdate ()
{
    if(!moveCamera) return;

    if(isIntermediate)
    {
        camera.lerp(intermediatePosition);
    } 
    else 
    {
        camera.lerp(positionToMoveTo);
    }     
}

private IEnumerator MoveCamera() 
{
    moveCamera = true;
    isIntermediate=true;
    yield return new WaitForSeconds(3f);
    isIntermediate=false;

    // Wait until the camera reaches the target
    while(camera.transform.position == PositionToMoveTo){
        yield return null;
    }

    // Stop moving
    moveCamera = false;

    // just to be sure your camera has exact the correct position in the end
    camera.transform.position = PositionToMoveTo;
}

或者,您可以不使用协程中的所有动作LateUpdate(但老实说,我不确定协程是在之前还是之后完成Update

private IEnumerator MoveCamera() 
{
    float timer = 3f;
    while(timer>0)
    {
       timer -= Time.deltaTime;
       camera.lerp(intermediatePosition);
       yield return null;
    }

    // Wait until the camera reaches the target
    while(camera.transform.position == PositionToMoveTo){
        camera.lerp(PositionToMoveTo);
        yield return null;
    }

    // just to be sure your camera has exact the correct position in the end
    camera.transform.position = PositionToMoveTo;
}

第二个会更干净 bjt 正如我所说的我不知道你是否需要让它运行LateUpdate


注意==Vector3 的运算符精度为0.00001. 如果您需要更好或更弱的精度,则必须更改为

if(Vector3.Distance(camera.transform.position, PositionToMoveTo) <= YOUR_DESIRED_THRESHOLD)

现在你所要做的就是每次你想改变相机位置时调用你的协程。

void Update() 
 {
     if (buttonPress == a) 
     {
         // Make sure the Coroutine only is running once
         StopCoroutine(MoveCamera);
         positionToMoveTo = positions[currentPosition--];
         StartCoroutine (MoveCamera);
     } 
     if (buttonpress == b) 
     {
         // Make sure the Coroutine only is running once
         StopCoroutine (MoveCamera);
         positionToMoveTo = positions[currentPosition++];
         StartCoroutine (MoveCamera);
     }
 }
于 2018-10-13T06:00:47.537 回答