1

我正在制作一个 2D 平台游戏,并按照教程来构建我的角色。这个角色工作正常,除了跳跃时,它不允许在空中改变方向。我如何添加这个以使我的角色能够在跳跃中改变方向?

用于基本运动的代码如下:

void Update()
{

    CharacterController controller = GetComponent<CharacterController>();
    float rotation = Input.GetAxis("Horizontal");
    if(controller.isGrounded)
    {
        moveDirection.Set(rotation, 0, 0);
        moveDirection = transform.TransformDirection(moveDirection);

        //running code
        if(Input.GetKey(KeyCode.LeftShift) || Input.GetKey(KeyCode.RightShift)) //check if shift is held
        { running = true; }
        else
        { running = false; }

        moveDirection *= running ? runningSpeed : walkingSpeed; //set speed

        //jump code
        if(Input.GetButtonDown("Jump"))
        {
            jump();
        }
    }

    moveDirection.y -= gravity * Time.deltaTime;

    controller.Move(moveDirection * Time.deltaTime);


}

编辑:忘记包含 jump() 的代码,这可能很重要......

 void jump()
{
    moveDirection.y=jumpHeight;
    transform.parent=null;
}
4

1 回答 1

0

moveDirection仅当字符接地时才更新向量:

if(controller.isGrounded)

当玩家跳跃时isGrounded设置为 false,因此moveDirection不会更新(重力除外)。

我想你不想在跳跃时影响角色的速度(除非它应该在空中飞行或行走)。我猜你想在它跳跃的时候改变它的方向,所以你可以直接修改变换,让它根据你的输入旋转。

就像是:

else
{
   float amountOfRotation = Input.GetAxis("...") * rotationScaleFactor; 
   transform.RotateAround(transform.position, transform.up, Time.deltaTime * amountOfRotation);
}

编辑

我从未使用过它,但我认为 CharacterController 的设计目的是仅在对象接地时才移动。因此,如果您想在播放时移动它,请不要使用 Move 方法,而是直接编辑 GameObject 的变换:

else
{
   float additionalForwardSpeed = Input.GetAxis("...") * speedScaleFactor;  
   transform.Translate(transform.forward * Time.deltaTime * additionalForwardSpeed ); //translate
}

上面的代码应该可以提高对象在本地正向的速度。

于 2013-04-21T15:46:19.857 回答