[!NOTE] 需要下载 Unity 2D Sprite 相关包

一导入角色图片

二编辑图片属性

  1. 检查器
  2. 纹理类型: Sprite (2D和UI)
  3. Sprite 模式: 多个
  4. 每单位像素数:32
    ...
  5. 打开 Sprite Editor 把图片切割为同一大小的图片序列

三新建精灵对象

2D物理 -> 动态精灵

四新建动画

[!NOTE] 可以选中切割好的序列图->新建动画

新建 Animator 动画

五新建动画控制器

  1. 新建 Animatoin controller 动画控制器
  2. 指定 Animatoin controller 到游戏对象 animator 组件
Any State:状态管理,可以根据 int 参数的值管理多个动画播放

动画过渡有延迟的话可以关闭过渡箭头中的所有时间选项:
检查器 -> Setting ->
全部为 0, 全部取消勾选
中断源 : `Current State Then Next State

六新建脚本控制状态

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

public class PlayerController : MonoBehaviour
{
// 移动速度
public float moveSpeed = 3.0f;
  
private Animator animator;
private readonly string animationState = "playerState";
private Vector2 moveMent = new();
private new Rigidbody2D rigidbody2D;

enum PlayerState
{
idle = 0,
up = 1,
down = 2,
left = 3,
right = 4
}
  
// Start is called before the first frame update
void Start()
{
animator = GetComponent<Animator>();
rigidbody2D = GetComponent<Rigidbody2D>();
} 

// Update is called once per frame
void Update()
{UpdateState();}
  
private void FixedUpdate()
{Move();}
  
// 角色移动
private void Move()
{
moveMent.x = Input.GetAxis("Horizontal");
moveMent.y = Input.GetAxis("Vertical");
moveMent.Normalize();

// 刚体线性速度
rigidbody2D.velocity = moveMent * moveSpeed;
Debug.Log(rigidbody2D.velocity);
}
  
// 更新状态
private void UpdateState()
{ if (moveMent.x > 0) {
animator.SetInteger(animationState, (int)PlayerStates.right);
} else if (moveMent.x < 0) {
animator.SetInteger(animationState, (int)PlayerStates.left);
} else if (moveMent.y > 0) {
animator.SetInteger(animationState, (int)PlayerStates.up);
} else if (moveMent.y < 0) {
animator.SetInteger(animationState, (int)PlayerStates.down);
} else {
animator.SetInteger(animationState, (int)PlayerStates.idle);
}
}
}