unity第三人称运动代码
时间: 2023-07-09 21:03:54 浏览: 102
以下是一个简单的第三人称移动代码示例:
```csharp
using UnityEngine;
public class ThirdPersonMovement : MonoBehaviour
{
public CharacterController controller;
public Transform cam;
public float speed = 6f;
public float turnSmoothTime = 0.1f;
float turnSmoothVelocity;
void Update()
{
float horizontal = Input.GetAxisRaw("Horizontal");
float vertical = Input.GetAxisRaw("Vertical");
Vector3 direction = new Vector3(horizontal, 0f, vertical).normalized;
if (direction.magnitude >= 0.1f)
{
float targetAngle = Mathf.Atan2(direction.x, direction.z) * Mathf.Rad2Deg + cam.eulerAngles.y;
float angle = Mathf.SmoothDampAngle(transform.eulerAngles.y, targetAngle, ref turnSmoothVelocity, turnSmoothTime);
transform.rotation = Quaternion.Euler(0f, angle, 0f);
Vector3 moveDir = Quaternion.Euler(0f, targetAngle, 0f) * Vector3.forward;
controller.Move(moveDir.normalized * speed * Time.deltaTime);
}
}
}
```
该代码使用 CharacterController 组件来处理角色的移动,同时使用 Input.GetAxisRaw() 函数来获取水平和垂直输入。通过将相机的旋转添加到目标角度中,可以使角色始终朝向相机所面向的方向。使用 Mathf.SmoothDampAngle() 函数来平滑角度的变化,从而避免角色在移动过程中出现突兀的转向。最后,使用 Move() 函数来移动角色。
阅读全文