资源
正文
Ep. 1 - Card Data
新建一个 2D 项目,创建 Assets/Scripts/Card.cs
:定义卡牌的属性。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 using System.Collections;using System.Collections.Generic;using UnityEngine;namespace SinuousProductions { [CreateAssetMenu(fileName = "New Card" , menuName = "Card" ) ] public class Card : ScriptableObject { public string cardName; public List<CardType> cardType; public int health; public int damageMin; public int damageMax; public Sprite cardSprite; public List<DamageType> damageType; public enum CardType { Fire, Earth, Water, Dark, Light, Air } public enum DamageType { Fire, Earth, Water, Dark, Light, Air } } }
如此做,便可在面板中创建一个序列化对象:
Ep. 2 - Card Prefab
Project Settings
中开启 TextMesh Pro
:
从 Episode 2 - Google Drive 获取 TutorialCard1.png
放置在 Assets/Sprites/
下。
从 Neon Sans Font | GGBotNet | FontSpace 获取 NeonSans-m2YEx.ttf
放置在 Assets/Fonts/
下。右键之以创建 Font Asset
。
场景中创建 EventSystem
。
从 Modern RPG - Free icons pack | 2D 图标 | Unity Asset Store 导入资产。
如此设置 UI 的布局并保存成 CardPrefab
。CardCanvas
的 Render Mode
为 World Space
。CardImage
的 Witdh
为 2.5
,Height
为 3.5
。
Ep. 3 - Card Display Script
创建 Assets/Scripts/CardDisplay.cs
:将 Card
中的信息显示出来。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 using System.Collections;using System.Collections.Generic;using UnityEngine;using UnityEngine.UI;using TMPro;using SinuousProductions;public class CardDisplay : MonoBehaviour { public Card cardData; public Image cardImage; public TMP_Text nameText; public TMP_Text healthText; public TMP_Text damageText; public Image[] typeImages; private Color[] cardColors = { Color.red, new Color(0.8f , 0.52f , 0.24f ), Color.blue, new Color(0.2327043f , 0.057181015f , 0.2052875f ), Color.yellow, Color.cyan }; private Color[] typeColors = { Color.red, new Color(0.8f , 0.52f , 0.24f ), Color.blue, new Color(0.47f , 0f , 0.4f ), Color.yellow, Color.cyan }; void Start () { UpdateCardDisplay(); } public void UpdateCardDisplay () { cardImage.color = typeColors[(int )cardData.cardType[0 ]]; nameText.text = cardData.cardName; healthText.text = cardData.health.ToString(); damageText.text = $"{cardData.damageMin} - {cardData.damageMax} " ; for (int i = 0 ; i < typeImages.Length; i++) { if (i < cardData.cardType.Count) { typeImages[i].gameObject.SetActive(true ); typeImages[i].color = typeColors[(int )cardData.cardType[i]]; } } } }
将 CardDisplay
绑到 CardPrefab
上。
Ep. 4 - Hand Manager
场景中创建如下的对象结构:
Canvas
HandManager
HandPosition
DeckManager
Canvas
如此设置:Render Mode
设为 Screen Space - Overlay
,UI Scale Mode
设为 Scale With Screen Size
。
Note
Render Mode
适用场景
Screen Space - Overlay
UI 始终在前面,不受摄像机影响(HUD、菜单)。
Screen Space - Camera
UI 受摄像机影响,可与 3D 物体有深度关系(FPS HUD)。
World Space
UI 作为 3D 物体放置在场景中(3D UI,NPC 头顶血条)。
UI Scale Mode
适用场景
Constant Pixel Size
UI 大小固定,适用于固定分辨率游戏。
Scale With Screen Size
UI 适应不同分辨率,常用于跨平台游戏。
Constant Physical Size
UI 依据设备 DPI 缩放,适用于 AR/VR 应用。
创建 Assets/Scripts/HandManager.cs
,用于将卡牌创建到 HandPosition
处。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 using System;using System.Collections;using System.Collections.Generic;using UnityEngine;using SinuousProductions;public class HandManager : MonoBehaviour { public GameObject cardPrefab; public Transform handTransform; public float fanSpread = 7.5f ; public float cardSpacing = 100f ; public float verticalSpacing = 10f ; public List<GameObject> cardsInHand = new List<GameObject>(); public void AddCardToHand (Card cardData ) { GameObject newCard = Instantiate(cardPrefab, handTransform.position, Quaternion.identity, handTransform); cardsInHand.Add(newCard); newCard.GetComponent<CardDisplay>().cardData = cardData; UpdateHandVisuals(); } private void UpdateHandVisuals () { int cardCount = cardsInHand.Count; if (cardCount == 1 ) { cardsInHand[0 ].transform.localRotation = Quaternion.Euler(0f , 0f , 0f ); cardsInHand[0 ].transform.localPosition = new Vector3(0f , 0f , 0f ); return ; } for (int i = 0 ; i < cardCount; i++) { float rotationAngle = (fanSpread * (i / (cardCount - 1 ) / 2f )); cardsInHand[i].transform.localRotation = Quaternion.Euler(0f , 0f , rotationAngle); float horizontalOffset = (cardSpacing * (i - (cardCount - 1 ) / 2f )); float normalizedPosition = (2f * i / (cardCount - 1 ) - 1f ); float verticalOffset = verticalSpacing * (1 - normalizedPosition * normalizedPosition); cardsInHand[i].transform.localPosition = new Vector3(horizontalOffset, verticalOffset, 0f ); } } }
创建 Assets/Scripts/DeckManager.cs
:控制牌库以及从牌库中抽牌的逻辑。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 using System.Collections;using System.Collections.Generic;using UnityEngine;using SinuousProductions;public class DeckManager : MonoBehaviour { public List<Card> allCards = new List<Card>(); private int currentIndex = 0 ; public void DrawCard (HandManager handManager ) { if (allCards.Count == 0 ) return ; Card nextCard = allCards[currentIndex]; handManager.AddCardToHand(nextCard); currentIndex = (currentIndex + 1 ) % allCards.Count; } }
创建 Assets/Editor/DeckManagerEditor.cs
:给 DeckManager
加一个抽牌按钮的 UI。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 using System.Collections;using System.Collections.Generic;using UnityEngine;#if UNITY_EDITOR using UnityEditor; [CustomEditor(typeof(DeckManager)) ]public class DeckManagerEditor : Editor { public override void OnInspectorGUI () { DrawDefaultInspector(); DeckManager deckManager = (DeckManager)target; if (GUILayout.Button("Draw Next Card" )) { HandManager handManager = FindObjectOfType<HandManager>(); if (handManager != null ) { deckManager.DrawCard(handManager); } } } }#endif
调整各个对象的 Transform(CardPrefab
中 Scale
的 X
和 Y
设为 100
),得到如图的效果。
Ep. 5 - Card Movement
从 Episode 5 - Google Drive 中导入 Assets/Sprites/TutorialCardHighlight.png
和 Assets/Scripts/DragUIObject.cs
。
将 TutorialCardHighlight.png
的 Pixels Per Unit
设为 256
(每 256 像素宽度的图片,在 Unity 中相当于 1 个单位 (而非默认的 100 像素 = 1 单位))。
在 CardPrefab
中创建一个 CardHighlight
的 Image
。
将场景中的 Canvas Scaler
的 Screen Match Mode
设为 Expand
。
Note
模式
作用
适用场景
Match Width Or Height
让 UI 根据宽度、高度比例进行缩放。
适用于不同屏幕比例的 UI 适配。
Expand
如果屏幕比参考分辨率 更大 ,则 UI 扩展 以填满屏幕;如果屏幕更小,则 UI 按原比例缩小。
UI 需要 填满整个屏幕 ,但不会裁剪任何部分(如全屏 UI)。
Shrink
如果屏幕比参考分辨率 更大 ,UI 保持原比例,不放大;如果屏幕更小,则 UI 缩小以适应屏幕。
UI 需要 完全显示 ,但可能不会填满整个屏幕(如 UI 不能超出某个范围)。
给 CardPrefab
添加 Box Collider 2D
和 Drag UI Object
。
创建一个 Assets/Scripts/CardMovement.cs
:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 using System.Collections;using System.Collections.Generic;using UnityEngine;using UnityEngine.EventSystems;public class CardMovement : MonoBehaviour , IDragHandler , IPointerDownHandler , IPointerEnterHandler , IPointerExitHandler { private RectTransform rectTransform; private Canvas canvas; private Vector2 originalLocalPointerPosition; private Vector3 originalPanelLocalPosition; private Vector3 originalScale; private int currentState = 0 ; private Quaternion originalRotation; private Vector3 originalPosition; [SerializeField ] private float selectScale = 1.1f ; [SerializeField ] private Vector2 cardPlay; [SerializeField ] private Vector3 playPosition; [SerializeField ] private GameObject glowEffect; [SerializeField ] private GameObject playArrow; void Awake () { rectTransform = GetComponent<RectTransform>(); canvas = GetComponentInParent<Canvas>(); originalScale = rectTransform.localScale; originalPosition = rectTransform.localPosition; originalRotation = rectTransform.localRotation; } void Update () { switch (currentState) { case 1 : HandleHoverState(); break ; case 2 : HandleDragState(); if (!Input.GetMouseButton(0 )) { TransitionToState0(); } break ; case 3 : HandlePlayState(); if (!Input.GetMouseButton(0 )) { TransitionToState0(); } break ; } } private void TransitionToState0 () { currentState = 0 ; rectTransform.localScale = originalScale; rectTransform.localRotation = originalRotation; rectTransform.localPosition = originalPosition; glowEffect.SetActive(false ); } public void OnPointerEnter (PointerEventData eventData ) { if (currentState == 0 ) { originalPosition = rectTransform.localPosition; originalRotation = rectTransform.localRotation; originalScale = rectTransform.localScale; currentState = 1 ; } } public void OnPointerExit (PointerEventData eventData ) { if (currentState == 1 ) { currentState = 0 ; TransitionToState0(); } } public void OnPointerDown (PointerEventData eventData ) { if (currentState == 1 ) { currentState = 2 ; RectTransformUtility.ScreenPointToLocalPointInRectangle(canvas.GetComponent<RectTransform>(), eventData.position, eventData.pressEventCamera, out originalLocalPointerPosition); originalPanelLocalPosition = rectTransform.localPosition; } } public void OnDrag (PointerEventData eventData ) { if (currentState == 2 ) { Vector2 localPointerPosition; if (RectTransformUtility.ScreenPointToLocalPointInRectangle(canvas.GetComponent<RectTransform>(), eventData.position, eventData.pressEventCamera, out localPointerPosition)) { rectTransform.position = Input.mousePosition; if (rectTransform.localPosition.y > cardPlay.y) { currentState = 3 ; playArrow.SetActive(true ); rectTransform.localPosition = playPosition; } } } } private void HandleHoverState () { glowEffect.SetActive(true ); rectTransform.localScale = originalScale * selectScale; } private void HandleDragState () { rectTransform.localRotation = Quaternion.identity; } private void HandlePlayState () { rectTransform.localPosition = playPosition; rectTransform.localRotation = Quaternion.identity; if (Input.mousePosition.y < cardPlay.y) { currentState = 2 ; playArrow.SetActive(false ); } } }
Note
IDragHandler
:处理拖拽事件(OnDrag
)。
IPointerDownHandler
:处理鼠标按下事件(OnPointerDown
)。
IPointerEnterHandler
:处理鼠标悬停事件(OnPointerEnter
)。
IPointerExitHandler
:处理鼠标移出事件(OnPointerExit
)。
悬停 :鼠标进入时,卡牌变大并高亮。
拖拽 :鼠标按下后,卡牌可拖动。
放置 :如果拖到一定高度,卡牌会被固定到 playPosition
,并显示 playArrow
。
在 CardPrefab
上绑定 Card Movement
。
展示效果:
Ep. 6 - Arc Renderer
创建 ArrowHead.prefab
:
创建 Dot.prefab
:
创建 Assets/Scripts/ArcRenderer.cs
:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 using System.Collections;using System.Collections.Generic;using UnityEngine;public class ArcRenderer : MonoBehaviour { public GameObject arrowPrefab; public GameObject dotPrefab; public int poolSize = 50 ; private List<GameObject> dotPool = new List<GameObject>(); private GameObject arrowInstance; public float spacing = 50 ; public float arrowAngleAdjustment = 0 ; public int dotsToSkip = 1 ; private Vector3 arrowDirection; void Start () { arrowInstance = Instantiate(arrowPrefab, transform); arrowInstance.transform.localPosition = Vector3.zero; InitializeDotPool(poolSize); } void Update () { Vector3 mousePos = Input.mousePosition; mousePos.z = 0 ; Vector3 startPos = transform.position; Vector3 midPoint = CalculateMidPoint(startPos, mousePos); UpdateArc(startPos, midPoint, mousePos); PositionAndRotateArrow(mousePos); } void UpdateArc (Vector3 start, Vector3 mid, Vector3 end ) { int numDots = Mathf.CeilToInt(Vector3.Distance(start, end) / spacing); for (int i = 0 ; i < numDots && i < dotPool.Count; i++) { float t = i / (float )numDots; t = Mathf.Clamp(t, 0f , 1f ); Vector3 position = QuadraticBezierPoint(start, mid, end, t); if (i != numDots - dotsToSkip) { dotPool[i].transform.position = position; dotPool[i].SetActive(true ); } if (i == numDots - (dotsToSkip + 1 ) && i - dotsToSkip + 1 >= 0 ) { arrowDirection = dotPool[i].transform.position; } } for (int i = numDots - dotsToSkip; i < dotPool.Count; i++) { if (i > 0 ) { dotPool[i].SetActive(false ); } } } void PositionAndRotateArrow (Vector3 position ) { arrowInstance.transform.position = position; Vector3 direction = arrowDirection - position; float angle = Mathf.Atan2(direction.y, direction.x) * Mathf.Rad2Deg; angle += arrowAngleAdjustment; arrowInstance.transform.rotation = Quaternion.AngleAxis(angle, Vector3.forward); } Vector3 CalculateMidPoint (Vector3 start, Vector3 end ) { Vector3 midpoint = (start + end) / 2 ; float arcHeight = Vector3.Distance(start, end) / 3f ; midpoint.y += arcHeight; return midpoint; } Vector3 QuadraticBezierPoint (Vector3 start, Vector3 control, Vector3 end, float t ) { float u = 1 - t; float tt = t * t; float uu = u * u; Vector3 point = uu * start; point += 2 * u * t * control; point += tt * end; return point; } void InitializeDotPool (int count ) { for (int i = 0 ; i < count; i++) { GameObject dot = Instantiate(dotPrefab, Vector3.zero, Quaternion.identity, transform); dot.SetActive(false ); dotPool.Add(dot); } } }
Note
计算 二次贝塞尔曲线 的插值公式:
P ( t ) = ( 1 − t ) 2 P 0 + 2 ( 1 − t ) t P 1 + t 2 P 2 P(t) = (1-t)^2 P_0 + 2(1-t)t P_1 + t^2 P_2
P ( t ) = ( 1 − t ) 2 P 0 + 2 ( 1 − t ) t P 1 + t 2 P 2
P_0
:起点
P_1
:中间控制点
P_2
:终点
t
:插值参数(范围 0 ~ 1
)。
CardPreab
下的 PlayArrow
绑定好逻辑:
运行结果:
Ep. 7 - Game Manager
创建以下类:
Assets/Scripts/OptionsManager.cs
Assets/Scripts/AudioManager.cs
Assets/Scripts/GameManager.cs
给 AudioManager
、DeckManager
和 OptionsManager
绑成预制体,放入 Assets/Resources/Prefabs/
下。
Note
在 Unity 中,Resources/
目录下的文件具有以下特点:
1. 可在运行时动态加载
Resources/
目录下的资源可以使用 Resources.Load()
、Resources.LoadAsync()
等方法在运行时动态加载。
适用于需要按需加载的资源,比如 UI 界面、音效、材质等。
2. 打包进最终构建
Resources/
目录下的所有文件都会被打包到最终的游戏构建(Build)中,即使它们没有被场景直接引用。
这意味着即使一个资源在场景中未使用,只要它在 Resources/
里,就会被包含在游戏中,可能会增加游戏包体积。
3. 无法按需卸载
Resources.Load()
加载的资源不会自动被卸载,必须手动调用 Resources.UnloadUnusedAssets()
或 Resources.UnloadAsset()
来释放不再使用的资源。
这可能导致内存占用增加,特别是在移动端或资源密集型应用中要注意管理。
4. 无法通过 Addressables 直接管理
Unity 推荐使用 Addressables 进行资源管理,而不是 Resources/
,因为 Resources/
目录的资源无法动态更新,也不能按需加载和卸载得很好。
5. 路径限制
Resources.Load()
加载资源时,不需要写 Resources/
,但需要写相对路径(不带后缀)。
例如,Resources/Textures/MyTexture.png
需要通过:
1 Texture2D texture = Resources.Load<Texture2D>("Textures/MyTexture" );
来加载,而不是 Resources.Load("Resources/Textures/MyTexture.png")
。
6. 适用场景
适用于一些小型的、不会动态更新的资源,如游戏内置的默认 UI 图标、音效等。
不适用于大规模资源管理,Unity 推荐使用 Addressables 进行更灵活的资源管理。
总结: Resources/
目录适用于少量、固定的资源,适合简单的项目或临时加载需求。但由于无法有效管理内存和包体积,在复杂项目中,推荐使用 Addressables 或 AssetBundles 代替。
编辑 GameManager
,使用单例模式:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 using System.Collections;using System.Collections.Generic;using UnityEngine;public class GameManager : MonoBehaviour { public static GameManager Instance { get ; private set ; } private void Awake () { if (Instance == null ) { Instance = this ; DontDestroyOnLoad(gameObject); } else if (Instance != this ) { Destroy(gameObject); } } }
继续写 GameManager
:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 using System.Collections;using System.Collections.Generic;using UnityEngine;public class GameManager : MonoBehaviour { public static GameManager Instance { get ; private set ; } private int playerHealth; private int playerXP; private int difficulty = 5 ; public OptionsManager OptionsManager { get ; private set ; } public AudioManager AudioManager { get ; private set ; } public DeckManager DeckManager { get ; private set ; } private void Awake () { if (Instance == null ) { Instance = this ; DontDestroyOnLoad(gameObject); InitializeManagers(); } else if (Instance != this ) { Destroy(gameObject); } } private void InitializeManagers () { OptionsManager = GetComponentInChildren<OptionsManager>(); AudioManager = GetComponentInChildren<AudioManager>(); DeckManager = GetComponentInChildren<DeckManager>(); if (OptionsManager == null ) { GameObject prefab = Resources.Load<GameObject>("Prefabs/OptionsManager" ); if (prefab != null ) { Instantiate(prefab, transform.position, Quaternion.identity, transform); OptionsManager = GetComponentInChildren<OptionsManager>(); } else { Debug.LogError("OptionsManager prefab not found!" ); } } if (AudioManager == null ) { GameObject prefab = Resources.Load<GameObject>("Prefabs/AudioManager" ); if (prefab != null ) { Instantiate(prefab, transform.position, Quaternion.identity, transform); AudioManager = GetComponentInChildren<AudioManager>(); } else { Debug.LogError("AudioManager prefab not found!" ); } } if (DeckManager == null ) { GameObject prefab = Resources.Load<GameObject>("Prefabs/DeckManager" ); if (prefab != null ) { Instantiate(prefab, transform.position, Quaternion.identity, transform); DeckManager = GetComponentInChildren<DeckManager>(); } else { Debug.LogError("DeckManager prefab not found!" ); } } } public int PlayerHealth { get { return playerHealth; } set { playerHealth = value ; } } public int PlayerXP { get { return playerXP; } set { playerXP = value ; } } public int Difficulty { get { return difficulty; } set { difficulty = value ; } } }
Ep. 8 - Grid Manager
从 Episode 8 - Google Drive 处获取 GridOutline.png
,放在 Assets/Sprites
下。
太大了,我压缩一下。
设置一下 Pixels Per Unit
及 Border
:
创建 Assets/Scripts/GridCell.cs
:
1 2 3 4 5 6 7 8 9 10 using System.Collections;using System.Collections.Generic;using UnityEngine;public class GridCell : MonoBehaviour { public Vector2 gridIndex; public bool cellFull = false ; public GameObject objectInCell; }
创建 Assets/Prefabs/GridCellPrefab.prefab
:
创建 Assets/Scripts/GridManager.cs
:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 using System.Collections;using System.Collections.Generic;using UnityEngine;public class GridManager : MonoBehaviour { public int width = 8 ; public int height = 4 ; public GameObject gridCellPrefab; public List<GameObject> gridObjects = new List<GameObject>(); public GameObject[,] gridCells; private void Start () { CreateGrid(); } private void CreateGrid () { gridCells = new GameObject[width, height]; Vector2 centerOffset = new Vector2(width / 2.0f - 0.5f , height / 2.0f - 0.5f ); for (int x = 0 ; x < width; x++) { for (int y = 0 ; y < height; y++) { Vector2 gridPosition = new Vector2(x, y); Vector2 spawnPosition = gridPosition - centerOffset; GameObject gridCell = Instantiate(gridCellPrefab, spawnPosition, Quaternion.identity); gridCell.transform.SetParent(transform); gridCell.GetComponent<GridCell>().gridIndex = gridPosition; gridCells[x, y] = gridCell; } } } public bool AddObjectToGrid (GameObject obj, Vector2 gridPosition ) { if (gridPosition.x >= 0 && gridPosition.x < width && gridPosition.y >= 0 && gridPosition.y < height) { GridCell cell = gridCells[(int )gridPosition.x, (int )gridPosition.y].GetComponent<GridCell>(); if (cell.cellFull) return false ; else { GameObject newObj = Instantiate(obj, cell.GetComponent<Transform>().position, Quaternion.identity); newObj.transform.SetParent(transform); gridObjects.Add(newObj); cell.objectInCell = newObj; cell.cellFull = true ; return true ; } } return false ; } }
效果:
Ep. 9 - Grid Population
下载这些内容:
往项目中导入 craftpix-net-563568-free-wraith-tiny-style-2d-sprites.zip/Unity Package/Wraith_01.unitypackage
:
整理文件结构:
更新 Assets/Scripts/Card.cs
:
更新 Assets/Scripts/HandManager.cs
:
更新 Assets/Scripts/CardDisplay.cs
:
更新 Assets/Scripts/GridManager.cs
:
更新 Assets/Scripts/CardMovement.cs
: