Patterns
Monobehavior
- to perceive it is
Component
Singleton
- Uniqueness guaranteed
Managers
- Managers.cs
public class Managers : MonoBehaviour
{
static Managers s_instance;
static Managers Instance{ get { Init(); return s_instance; } }
InputManager _input = new InputManager();
ResourceManager _resource = new ResourceManager();
public static InputManager Input { get { return Instance._input; } }
public static ResourceManager Resource { get { return Instance._resource; } }
void Start()
{
Init();
}
void Update()
{
_input.OnUpdate();
}
static void Init()
{
if (s_instance == null)
{
GameObject go = GameObject.Find("@Managers");
if (go == null)
{
go = new GameObject { name = "@Managers" };
go.AddComponent<Managers>();
}
DontDestroyOnLoad(go);
s_instance = go.GetComponent<Managers>();
}
}
}
- if there is not
Managers
Object, make new one - this new
Managers
Object stay during play -
it links other Manager objects with each Managers
- InputManager.cs
public class InputManager
{
public Action KeyAction = null;
public void OnUpdate()
{
if (Input.anyKey == false)
return;
if (KeyAction != null)
KeyAction.Invoke();
}
}
-
If there is key input during play, receive key input
-
ResourceManager.cs
public class ResourceManager
{
public T Load<T>(string path) where T: Object
{
return Resources.Load<T>(path);
}
public GameObject Instantiate(string path, Transform parent = null)
{
GameObject prefab = Load<GameObject>($"Prefabs/{path}");
if (prefab == null)
{
Debug.Log($"Failed to load prefab: {path}");
return null;
}
return Object.Instantiate(prefab, parent);
}
public void Destroy(GameObject go)
{
if (go == null)
return;
Object.Destroy(go);
}
}
-
Instantiate
can make GameObject -
Destroy
can remove GameObject -
Load
can load GameObject - to use
Resources.Load
, there should be Resources folder
Controller
- PlayerController.cs
public class PlayerController : MonoBehaviour
{
[SerializeField]
float _speed = 10.0f;
void Start()
{
Managers.Input.KeyAction -= OnKeyboard;
Managers.Input.KeyAction += OnKeyboard;
}
void Update()
{
}
void OnKeyboard()
{
if (Input.GetKey(KeyCode.W))
{
transform.rotation = Quaternion.Slerp(transform.rotation, Quaternion.LookRotation(Vector3.forward), 0.2f);
transform.position += Vector3.forward * Time.deltaTime * _speed;
}
if (Input.GetKey(KeyCode.S))
{
transform.rotation = Quaternion.Slerp(transform.rotation, Quaternion.LookRotation(Vector3.back), 0.2f);
transform.position += Vector3.back * Time.deltaTime * _speed;
}
if (Input.GetKey(KeyCode.A))
{
transform.rotation = Quaternion.Slerp(transform.rotation, Quaternion.LookRotation(Vector3.left), 0.2f);
transform.position += Vector3.left * Time.deltaTime * _speed;
}
if (Input.GetKey(KeyCode.D))
{
transform.rotation = Quaternion.Slerp(transform.rotation, Quaternion.LookRotation(Vector3.right), 0.2f);
transform.position += Vector3.right * Time.deltaTime * _speed;
}
}
}
-
Quaternion.Slerp
can change direction
Collision
Gravity
- Player
data:image/s3,"s3://crabby-images/bf37b/bf37bbf5bf918bc3992496e00dc946e0ac696f04" alt=""
- Add
Rigidbody
and checkUse Gravity
- Add
Capsule Collider
-
Is Kinematic
can ignore all physical laws in Unity - Plane
data:image/s3,"s3://crabby-images/a7b96/a7b96ad5d3adee419915aef3b5623f0a17320869" alt=""
- Add
Mesh Collider
Collider and Trigger
- Collider
data:image/s3,"s3://crabby-images/2a616/2a616e60c5e22382533b1ac9298f65774d70debf" alt=""
- There is
Rigidbody
on me (Is Kinematic : Off) - There is
Collider
on me (Is Trigger : Off) - There is
Collider
on other (Is Trigger : Off)
private void OnCollisionEnter(Collision collision)
{
Debug.Log($"Collision @ {collision.gameObject.name} !");
}
- Trigger
data:image/s3,"s3://crabby-images/531f9/531f9be3134e9098b4652272bf132eca5e34ca9f" alt=""
- There are
Collider
on me and other - There is
Rigidbody
on one - There is
Is Trigger
on one
private void OnTriggerEnter(Collider other)
{
Debug.Log($"Trigger @ {other.gameObject.name}!");
}
Raycasting
- shoot a raser and detect object
void Update()
{
Vector3 look = transform.TransformDirection(Vector3.forward);
Debug.DrawRay(transform.position + Vector3.up, look * 10, Color.red);
RaycastHit[] hits;
hits = Physics.RaycastAll(transform.position + Vector3.up, look, 10);
foreach(RaycastHit hit in hits)
Debug.Log($"Raycast {hit.collider.gameObject.name}!");
}
-
TransformDirection
can change player’s direction to world direction -
RaycastHit
can save all objects that is hitted by player’s raser -
Physics.RaycastAll
can shoot a raser and detect objects - if you want to detect only one object, use
Physics.Raycast
Projection
-
Local ↔ World ↔ Viewport ↔ Screen
-
Screen
- Pixel standard
void Update()
{
Debug.Log(Input.mousePosition);
}
- Viewport
- Pixel ratio standard
void Update()
{
Debug.Log(Camera.main.ScreenToViewportPoint(Input.mousePosition));
}
- Camera
- You can change view range in
Clipping Planes
-
Near
can change where the camera range start -
Far
can change where the camera range end
- You can change view range in
Camera Raycasting
- camera can shoot raser and detect object
void Update()
{
if (Input.GetMouseButtonDown(0))
{
Ray ray = Camera.main.ScreenPointToRay(Input.mousePosition);
Debug.DrawRay(Camera.main.transform.position, ray.direction * 100.0f, Color.red, 1.0f);
RaycastHit hit;
if (Physics.Raycast(ray, out hit, 100.0f))
Debug.Log($"Raycast Camera @ {hit.collider.gameObject.name}");
}
}
LayerMask
- you can set layers(also you can se Tags)
- from layers, you can define whether to detect object(s) or not
void Update()
{
if (Input.GetMouseButtonDown(0))
{
Ray ray = Camera.main.ScreenPointToRay(Input.mousePosition);
Debug.DrawRay(Camera.main.transform.position, ray.direction * 100.0f, Color.red, 1.0f);
LayerMask mask = LayerMask.GetMask("Monster") | LayerMask.GetMask("Wall");
RaycastHit hit;
if (Physics.Raycast(ray, out hit, 100.0f, mask))
Debug.Log($"Raycast Camera @ {hit.collider.gameObject.tag}");
}
}
Camera
Follow Player
- if camera is in player’s hierarchy, camera will follow palyer
-
but the rotation is also changed, this is really messy for user
- Scripts\Utils\Define.cs
public class Define
{
public enum CameraMode
{
QuaterView,
}
}
- CameraController.cs
public class CameraController : MonoBehaviour
{
[SerializeField]
Define.CameraMode _mode = Define.CameraMode.QuaterView;
[SerializeField]
Vector3 _delta = new Vector3(0.0f, 6.0f, -5.0f);
[SerializeField]
GameObject _player = null;
void LateUpdate()
{
if (_mode == Define.CameraMode.QuaterView)
{
transform.position = _player.transform.position + _delta;
transform.LookAt(_player.transform);
}
}
public void SetQuaterView(Vector3 delta)
{
_mode = Define.CameraMode.QuaterView;
_delta = delta;
}
}
- KeyInput and Camera transform is crushed by their update time.
LateUpdate
can delay Camera transform updating time. So Camera transform is excuted after player’s move
Click Moving
-
by clicking map, player can move to destination.
-
Scripts\Utils\Define.cs
public class Define
{
public enum MouseEvent
{
Press,
Click,
}
public enum CameraMode
{
QuaterView,
}
}
- InputManager.cs
public class InputManager
{
public Action KeyAction = null;
public Action<Define.MouseEvent> MouseAction = null;
bool _pressed = false;
public void OnUpdate()
{
if (Input.anyKey && KeyAction != null)
KeyAction.Invoke();
if(MouseAction != null)
{
if (Input.GetMouseButton(0))
{
MouseAction.Invoke(Define.MouseEvent.Press);
_pressed = true;
}
else
{
if (_pressed)
MouseAction.Invoke(Define.MouseEvent.Click);
_pressed = false;
}
}
}
}
-
Left Mouse Click is 0 and Right Mouse Click is 1
-
PlayerController.cs
public class PlayerController : MonoBehaviour
{
...
bool _moveToDest = false;
Vector3 _desPos;
void Start()
{
...
Managers.Input.MouseAction += OnMouseClicked;
Managers.Input.MouseAction -= OnMouseClicked;
}
void Update()
{
if (_moveToDest)
{
Vector3 dir = _desPos - transform.position;
if(dir.magnitude < 0.0001f)
{
_moveToDest = false;
}
else
{
float moveDist = Mathf.Clamp(_speed * Time.deltaTime, 0, dir.magnitude);
transform.position += dir.normalized * moveDist;
transform.rotation = Quaternion.Slerp(transform.rotation, Quaternion.LookRotation(dir), 10 * Time.deltaTime);
transform.LookAt(_desPos);
}
}
}
void OnKeyboard()
{
...
_moveToDest = false;
}
void OnMouseClicked(Define.MouseEvent evt)
{
if (evt != Define.MouseEvent.Click)
return;
Ray ray = Camera.main.ScreenPointToRay(Input.mousePosition);
Debug.DrawRay(Camera.main.transform.position, ray.direction * 100.0f, Color.red, 1.0f);
RaycastHit hit;
if (Physics.Raycast(ray, out hit, 100.0f, LayerMask.GetMask("Wall")))
{
_desPos = hit.point;
_moveToDest = true;
}
}
}
-
magnitude
returns length of vector -
hit.point
returns impact point in world space where the ray hit the collider
Camera Position
-
if player is hidden by wall, camera position will be change
-
CameraController.cs
void LateUpdate()
{
if (_mode == Define.CameraMode.QuaterView)
{
RaycastHit hit;
if(Physics.Raycast(_player.transform.position, _delta, out hit, _delta.magnitude, LayerMask.GetMask("Wall")))
{
float dist = (hit.point - _player.transform.position).magnitude * 0.8f;
transform.position = _player.transform.position + _delta.normalized * dist;
}
else
{
transform.position = _player.transform.position + _delta;
transform.LookAt(_player.transform);
}
}
}
Animation
WAIT & RUN
- Animation Controller
-
Animation Controller
can make animation - customize Animation
- Add controller in Animator
-
data:image/s3,"s3://crabby-images/4db64/4db6412d5e195e47dfd9e76ff066fd47b6b958b6" alt=""
data:image/s3,"s3://crabby-images/d6ee2/d6ee271988a362e77572a371787531090a4f724b" alt=""
data:image/s3,"s3://crabby-images/f651f/f651f286bb40245a0c989578b787c74a7df18fc3" alt=""
- PlayerController.cs
void Update()
{
...
if (_moveToDest)
{
Animator anim = GetComponent<Animator>();
anim.Play("RUN");
}
else
{
Animator anim = GetComponent<Animator>();
anim.Play("WAIT");
}
}
void OnMouseClicked(Define.MouseEvent evt)
{
//if (evt != Define.MouseEvent.Click)
// return;
...
}
Animation Blending
- player can move sequencialy, not suddenly
data:image/s3,"s3://crabby-images/e3874/e3874c8741123adc727f9ecf3ebe73703c59a95d" alt=""
data:image/s3,"s3://crabby-images/8fad4/8fad4373fab8183ca11a8b47475c02fec6db82e4" alt=""
- Blend Tree
- blend sevral animations
-
Threshold
sets blend values - when the value comes closer to threshold value, the animation will be excuted
- PlayerController.cs
public class PlayerController : MonoBehaviour
{
float wait_run_ratio;
...
void Update()
{
...
if (_moveToDest)
{
wait_run_ratio = Mathf.Lerp(wait_run_ratio, 1, 10.0f * Time.deltaTime);
Animator anim = GetComponent<Animator>();
anim.SetFloat("wait_run_ratio", wait_run_ratio);
anim.Play("WAIT_RUN");
}
else
{
wait_run_ratio = Mathf.Lerp(wait_run_ratio, 0, 10.0f * Time.deltaTime);
Animator anim = GetComponent<Animator>();
anim.SetFloat("wait_run_ratio", wait_run_ratio);
anim.Play("WAIT_RUN");
}
}
}
State Pattern
- manage Player state
-
from this section, we don’t use keyboard KeyInput
- PlayerController.cs
public class PlayerController : MonoBehaviour
{
...
PlayerState _state = PlayerState.Idle;
void Start()
{
//Managers.Input.KeyAction -= OnKeyboard;
//Managers.Input.KeyAction += OnKeyboard;
...
}
public enum PlayerState
{
Die,
Moving,
Idle,
}
void UpdateDie()
{
}
void UpdateMoving()
{
Vector3 dir = _desPos - transform.position;
if (dir.magnitude < 0.0001f)
{
_state = PlayerState.Idle;
}
else
{
float moveDist = Mathf.Clamp(_speed * Time.deltaTime, 0, dir.magnitude);
transform.position += dir.normalized * moveDist;
transform.rotation = Quaternion.Slerp(transform.rotation, Quaternion.LookRotation(dir), 10 * Time.deltaTime);
wait_run_ratio = Mathf.Lerp(wait_run_ratio, 1, 10.0f * Time.deltaTime);
Animator anim = GetComponent<Animator>();
anim.SetFloat("wait_run_ratio", wait_run_ratio);
anim.Play("WAIT_RUN");
}
}
void UpdateIdle()
{
wait_run_ratio = Mathf.Lerp(wait_run_ratio, 0, 10.0f * Time.deltaTime);
Animator anim = GetComponent<Animator>();
anim.SetFloat("wait_run_ratio", wait_run_ratio);
anim.Play("WAIT_RUN");
}
void Update()
{
switch (_state)
{
case PlayerState.Die:
UpdateDie();
break;
case PlayerState.Moving:
UpdateMoving();
break;
case PlayerState.Idle:
UpdateIdle();
break;
}
}
void OnMouseClicked(Define.MouseEvent evt)
{
if (_state == PlayerState.Die)
return;
Ray ray = Camera.main.ScreenPointToRay(Input.mousePosition);
Debug.DrawRay(Camera.main.transform.position, ray.direction * 100.0f, Color.red, 1.0f);
RaycastHit hit;
if (Physics.Raycast(ray, out hit, 100.0f, LayerMask.GetMask("Wall")))
{
_desPos = hit.point;
_state = PlayerState.Moving;
}
}
}
State Machine
- you can set your animation in GUI
data:image/s3,"s3://crabby-images/85073/850737ad5293f385a292b5870d686ad64fc35604" alt=""
- PlayerController.cs
public class PlayerController : MonoBehaviour
{
...
float wait_run_ratio;
...
void UpdateMoving()
{
...
else
{
float moveDist = Mathf.Clamp(_speed * Time.deltaTime, 0, dir.magnitude);
transform.position += dir.normalized * moveDist;
transform.rotation = Quaternion.Slerp(transform.rotation, Quaternion.LookRotation(dir), 10 * Time.deltaTime);
//wait_run_ratio = Mathf.Lerp(wait_run_ratio, 1, 10.0f * Time.deltaTime);
Animator anim = GetComponent<Animator>();
//anim.SetFloat("wait_run_ratio", wait_run_ratio);
//anim.Play("WAIT_RUN");
}
}
void UpdateIdle()
{
//wait_run_ratio = Mathf.Lerp(wait_run_ratio, 0, 10.0f * Time.deltaTime);
Animator anim = GetComponent<Animator>();
//anim.SetFloat("wait_run_ratio", wait_run_ratio);
//anim.Play("WAIT_RUN");
}
...
}
- Ordring animations
- you can order animations in
Transitions
section
- you can order animations in
data:image/s3,"s3://crabby-images/c058d/c058d9120292336fb1e91348e1f0f01f25cbbf4b" alt=""
- Conditioning
- you can make condition in animations
data:image/s3,"s3://crabby-images/fc227/fc22788e5fe08b2d134485f41e7ea70e7c31795b" alt=""
data:image/s3,"s3://crabby-images/a285a/a285ad709130b221f1bfe25507c6427408033a75" alt=""
data:image/s3,"s3://crabby-images/9c541/9c541ff932112a36dfb6b2fc52b0e6b23d0265ab" alt=""
KeyFrame Animation
-
you can make KeyFrame Animation
-
Animation Tool
data:image/s3,"s3://crabby-images/6a6a1/6a6a1ad0f0373c213da75745d4e5d13bbea1fa9d" alt=""
- Click object
data:image/s3,"s3://crabby-images/6f507/6f5075e6f928597332831b8104aaadc6c033cad5" alt=""
data:image/s3,"s3://crabby-images/bb876/bb876ecf0d8ec09514e538e27ca687f4a88be0e7" alt=""
- Add all Transform Properties
data:image/s3,"s3://crabby-images/e8b46/e8b46550b0abf02f48df9c128ecc0e3f133112e2" alt=""
data:image/s3,"s3://crabby-images/3bf50/3bf50a450ade912a70ad90f4611eb8175088f63c" alt=""
- change position at 60 sec and 120 sec
data:image/s3,"s3://crabby-images/fc39f/fc39f0770524add6f8182a7e5edaccb0ad728f40" alt=""
data:image/s3,"s3://crabby-images/7f92b/7f92b639cbac4bd6c087dffc3bbca8013e64e0a7" alt=""
data:image/s3,"s3://crabby-images/33a73/33a7342db2ea120c79984bb0ffd9384e8dbcadb9" alt=""
- keyframe recording mode
data:image/s3,"s3://crabby-images/f4d14/f4d14e081e48a9af13a70f0709d19c181079885f" alt=""
Animation Event
- Animation Event
- Add Animation Event
data:image/s3,"s3://crabby-images/4c8f1/4c8f1803fcb246025985ab06b07b3856fef8ce29" alt=""
- Scripts\CubeEventTest.cs
public class CubeEventTest : MonoBehaviour
{
void TestEventCallback()
{
Debug.Log("Evnet Received!");
}
}
- in added animation event, change function
data:image/s3,"s3://crabby-images/b8300/b8300f77c1995400898c2acf9352d2e66b219ae3" alt=""
- change
unitychan_RUN00_F
- Add Event
data:image/s3,"s3://crabby-images/acc1f/acc1fe2fe23f0cb3904b8bde26ff4a9baf02f311" alt=""
data:image/s3,"s3://crabby-images/025d4/025d484fe85f2caa8b830719e40643b9c433963e" alt=""
- PlayerController.cs
void OnRunEvent()
{
Debug.Log("walk walk");
}
send reference value
- change
unitychan_RUN00_F
- change string
data:image/s3,"s3://crabby-images/0360d/0360dc4f6bb3ac33346d286838636b0e93106d26" alt=""
- PlayerController.cs
void OnRunEvent(string a)
{
Debug.Log($"walk{a} walk{a}");
}
UI
Pivot
- it is central point of UI object
- object rotate round pivot when rotation is changed
Anchor
- set ratio and size of object when screen size is changed
UI Anomatification
Object Detection
- Detect Objects
- change object name
data:image/s3,"s3://crabby-images/09c78/09c78dec46d2404907a99357ccdd264e88738084" alt=""
- Utils\Util.cs
public class Util
{
public static T FindChild<T>(GameObject go, string name = null, bool recursive = false) where T: UnityEngine.Object
{
if (go == null)
return null;
if(recursive == false)
{
for (int i = 0; i < go.transform.childCount; i++)
{
Transform transform = go.transform.GetChild(i);
if(string.IsNullOrEmpty(name) || transform.name == name)
{
T component = transform.GetComponent<T>();
if (component != null)
return component;
}
}
}
else
{
foreach(T component in go.GetComponentsInChildren<T>())
{
if (string.IsNullOrEmpty(name) || component.name == name)
return component;
}
}
return null;
}
}
- Scripts\UI\UI_Button.cs
public class UI_Button : MonoBehaviour
{
// Text _text;
Dictionary<Type, UnityEngine.Object[]> _objects = new Dictionary<Type, UnityEngine.Object[]>();
enum Buttons
{
PointButton,
}
enum Texts
{
PointText,
ScoreText,
}
private void Start()
{
Bind<Button>(typeof(Buttons));
Bind<Text>(typeof(Texts));
}
void Bind<T>(Type type) where T: UnityEngine.Object
{
string [] names = Enum.GetNames(type);
UnityEngine.Object[] objects = new UnityEngine.Object[names.Length];
_objects.Add(typeof(T), objects);
for(int i=0; i<names.Length; i++)
{
objects[i] = Util.FindChild<T>(gameObject, names[i], true);
}
}
int _score = 0;
public void OnButtonClicked()
{
_score++;
//_text.text = $"Score : {_score}";
}
}
data:image/s3,"s3://crabby-images/83812/83812fb4dcbf1f14fc5bb6864726a1ddcf639c00" alt=""
Base UI
- Create Base UI
- use prefab
- Delete in Hierarchy
- first, delete
UI_Button
in prefeb - drag
UI_Button
in Hierarchy to prefab - delete
UI_Button
in Hierarchy - this step is to change
UI_Button
prefeb
- first, delete
data:image/s3,"s3://crabby-images/9c893/9c893f5de921e0e0b6ee959c3431b3b315f97f21" alt=""
- UI_Button.cs
public class UI_Button : UI_Base
{
...
enum GameObjects
{
TestObject,
}
private void Start()
{
...
Bind<GameObject>(typeof(GameObjects));
GetText((int)Texts.ScoreText).text = "Bind Test";
}
...
}
- Script\UI\UI_Base.cs
public class UI_Base : MonoBehaviour
{
Dictionary<Type, UnityEngine.Object[]> _objects = new Dictionary<Type, UnityEngine.Object[]>();
protected void Bind<T>(Type type) where T : UnityEngine.Object
{
string[] names = Enum.GetNames(type);
UnityEngine.Object[] objects = new UnityEngine.Object[names.Length];
_objects.Add(typeof(T), objects);
for (int i = 0; i < names.Length; i++)
{
if (typeof(T) == typeof(GameObject))
objects[i] = Util.FindChild(gameObject, names[i], true);
else
objects[i] = Util.FindChild<T>(gameObject, names[i], true);
if (objects[i] == null)
Debug.Log($"Faild to bind{name[i]}");
}
}
protected T Get<T>(int idx) where T : UnityEngine.Object
{
UnityEngine.Object[] objects = null;
if (_objects.TryGetValue(typeof(T), out objects) == false)
return null;
return objects[idx] as T;
}
protected Text GetText(int idx) { return Get<Text>(idx); }
protected Button GetButton(int idx) { return Get<Button>(idx); }
protected Image GetImage(int idx) { return Get<Image>(idx); }
}
- PlayerController.cs
void Start()
{
...
Managers.Resource.Instantiate("UI/UI_Button");
}
Event Handler
- Drag Image
- add
UI_Button
in Hierarchy - add
ItemIcon
Image inUI_Button
- add
data:image/s3,"s3://crabby-images/75dc0/75dc039e847ce9c3df2cccad961cb99cc1bf19ac" alt=""
- PlayerController.cs
void Start()
{
...
//Managers.Resource.Instantiate("UI/UI_Button");
}
- Script\UI\UI_EventHandler.cs
- add this component in
ItemIcon
Image
- add this component in
public class UI_EventHandler : MonoBehaviour, IBeginDragHandler, IDragHandler
{
public Action<PointerEventData> OnBeginDragHandler = null;
public Action<PointerEventData> OnDragHandler = null;
public void OnBeginDrag(PointerEventData eventData)
{
if (OnBeginDragHandler != null)
OnBeginDragHandler.Invoke(eventData);
}
public void OnDrag(PointerEventData eventData)
{
if (OnDragHandler != null)
OnDragHandler.Invoke(eventData);
}
}
- UI_Button.cs
enum Images
{
ItemIcon,
}
private void Start()
{
...
Bind<Image>(typeof(Images));
...
GameObject go = GetImage((int)Images.ItemIcon).gameObject;
UI_EventHandler evt = go.GetComponent<UI_EventHandler>();
evt.OnDragHandler += ((PointerEventData data) => { evt.gameObject.transform.position = data.position; });
}
UI Event
- Add Script Component
- by code, add script component in each game object atomatically
- UI_Base.cs
public static void AddUIEvent(GameObject go, Action<PointerEventData> action, Define.UIEvent type = Define.UIEvent.Click)
{
UI_EventHandler evt = Util.GetOrAddComponent<UI_EventHandler>(go);
switch (type)
{
case Define.UIEvent.Click:
evt.OnClickHandler -= action;
evt.OnClickHandler += action;
break;
case Define.UIEvent.Drag:
evt.OnDragHandler -= action;
evt.OnDragHandler += action;
break;
}
evt.OnDragHandler += ((PointerEventData data) => { evt.gameObject.transform.position = data.position; });
}
- Define.cs
public class Define
{
public enum UIEvent
{
Click,
Drag,
}
...
}
- Util.cs
public class Util
{
public static T GetOrAddComponent<T>(GameObject go) where T : UnityEngine.Component
{
T component = go.GetComponent<T>();
if (component == null)
component = go.AddComponent<T>();
return component;
}
...
}
- UI_EventHandler.cs
public class UI_EventHandler : MonoBehaviour, IPointerClickHandler,IDragHandler
{
public Action<PointerEventData> OnClickHandler = null;
public Action<PointerEventData> OnDragHandler = null;
public void OnPointerClick(PointerEventData eventData)
{
if (OnClickHandler != null)
OnClickHandler.Invoke(eventData);
}
public void OnDrag(PointerEventData eventData)
{
if (OnDragHandler != null)
OnDragHandler.Invoke(eventData);
}
}
- UI_Button.cs
private void Start()
{
...
GetButton((int)Buttons.PointButton).gameObject.AddUIEvent(OnButtonClicked);
GameObject go = GetImage((int)Images.ItemIcon).gameObject;
AddUIEvent(go, (PointerEventData data) => { go.transform.position = data.position; }, Define.UIEvent.Drag);
}
...
public void OnButtonClicked(PointerEventData data)
{
_score++;
GetText((int)Texts.ScoreText).text = $"Score: {_score}";
}
- Extension.cs
- extense function
public static class Extension
{
public static void AddUIEvent(this GameObject go, Action<PointerEventData> action, Define.UIEvent type = Define.UIEvent.Click)
{
UI_Base.AddUIEvent(go, action, type);
}
}
UI Manager
Create Popup
- Popup UI
- create Popup in code
- organize folder
- Create
Popup
folder in Prefabs\UI and Scripts\UI - Dreate
Scene
folder in Prefabs\UI and Scripts\UI - Move
UI_Button
to Prefabs\UI\Popup and Scripts\UI\Popup
- Create
- Scripts\UI\Popup\UI_Popup.cs
public class UI_Popup : UI_Base{ }
- Managers\UIManagers.cs
- use stack to manage popup
public class UIManager
{
int _order = 0;
Stack<UI_Popup> _popupStack = new Stack<UI_Popup>();
public T ShowPopupUI<T>(string name = null) where T : UI_Popup
{
if (string.IsNullOrEmpty(name))
name = typeof(T).Name;
GameObject go = Managers.Resource.Instantiate($"UI/Popup/{name}");
T popup = Util.GetOrAddComponent<T>(go);
_popupStack.Push(popup);
return popup;
}
public void ClosePopupUI(UI_Popup popup)
{
if (_popupStack.Count == 0)
return;
if(_popupStack.Peek() != popup)
{
Debug.Log("Close Popup Failed!");
return;
}
ClosePopupUI();
}
public void ClosePopupUI()
{
if (_popupStack.Count == 0)
return;
UI_Popup popup = _popupStack.Pop();
Managers.Resource.Destroy(popup.gameObject);
popup = null;
_order--;
}
public void CloseAllPopupUI()
{
while (_popupStack.Count > 0)
ClosePopupUI();
}
}
- UI_Button.cs
public class UI_Button : UI_Popup
{
...
}
- Managers.cs
public class Managers : MonoBehaviour
{
...
UIManager _ui = new UIManager();
...
public static UIManager UI { get { return Instance._ui; } }
}
- PlayerController.cs
void Start()
{
...
UI_Button ui = Managers.UI.ShowPopupUI<UI_Button>();
Managers.UI.ClosePopupUI(ui);
}
Popup ordering
- Popup Order
- Popup Ordering is essential when showing and closing popup
- Popup Blocker is essential if there is several Popups behind
- UIManager.cs
public class UIManager
{
int _order = 10;
...
UI_Scene _sceneUI = null;
public GameObject Root
{
get
{
GameObject root = GameObject.Find("@UI_Root");
if (root == null)
root = new GameObject { name = "@UI_Root" };
return root;
}
}
public void SetCanvas(GameObject go, bool sort = true)
{
Canvas canvas = Util.GetOrAddComponent<Canvas>(go);
canvas.renderMode = RenderMode.ScreenSpaceOverlay;
canvas.overrideSorting = true;
if (sort)
{
canvas.sortingOrder = _order;
_order++;
}
}
public T ShowSceneUI<T>(string name = null) where T : UI_Scene
{
if (string.IsNullOrEmpty(name))
name = typeof(T).Name;
GameObject go = Managers.Resource.Instantiate($"UI/Scene/{name}");
T sceneUI = Util.GetOrAddComponent<T>(go);
_sceneUI = sceneUI;
go.transform.SetParent(Root.transform);
return sceneUI;
}
public T ShowPopupUI<T>(string name = null) where T : UI_Popup
{
if (string.IsNullOrEmpty(name))
name = typeof(T).Name;
GameObject go = Managers.Resource.Instantiate($"UI/Popup/{name}");
T popup = Util.GetOrAddComponent<T>(go);
_popupStack.Push(popup);
go.transform.SetParent(Root.transform);
return popup;
}
}
- UI_Popup.cs
public class UI_Popup : UI_Base
{
public virtual void init()
{
Managers.UI.SetCanvas(gameObject, true);
}
public virtual void ClosePopupUI()
{
Managers.UI.ClosePopupUI(this);
}
}
- Scripts\UI\UI_Scene.cs
public class UI_Scene : UI_Base
{
public virtual void init()
{
Managers.UI.SetCanvas(gameObject, false);
}
}
- PlayerController.cs
void Start()
{
...
//Managers.UI.ClosePopupUI(ui);
}
- UI_Button.cs
void Start()
{
init();
}
public override void init()
{
base.init();
Bind<Button>(typeof(Buttons));
Bind<Text>(typeof(Texts));
Bind<GameObject>(typeof(GameObjects));
Bind<Image>(typeof(Images));
GetButton((int)Buttons.PointButton).gameObject.AddUIEvent(OnButtonClicked);
GameObject go = GetImage((int)Images.ItemIcon).gameObject;
AddUIEvent(go, (PointerEventData data) => { go.transform.position = data.position; }, Define.UIEvent.Drag);
}
- Blocker
- Blocker blocks behind popup moving
- Create Image and set size to cover whole UI_Button
- set alpha value of color to 0
- set Hierarchy like below
data:image/s3,"s3://crabby-images/ac6f3/ac6f3c9586168ff3aaa0665bc453171a6e6df6df" alt=""
Inventory
Panel
- Before starting, you should delete
UI_Button
in Hierarchy -
and change PlayerController.cs
- PlayerController.cs
void Start()
{
...
//UI_Button ui = Managers.UI.ShowPopupUI<UI_Button>();
}
- Asset Store
- search
Unity Samples : UI
- import only
Textures and Sprites
- search
data:image/s3,"s3://crabby-images/75e1f/75e1ffa9bde341d2c1c96be5cb08906aa7f1e705" alt=""
data:image/s3,"s3://crabby-images/39156/391563ced5a2dd1362de5fca4429f6acf7b0e5c6" alt=""
data:image/s3,"s3://crabby-images/9b898/9b898800a173f1f4b06bf05b05a9c0fec26119f3" alt=""
- and down load
2D Sprite
in [window]-[Package Manager]
data:image/s3,"s3://crabby-images/4b988/4b988353ba8ef4aaaa8f5cd7159b9bc4c047c2a8" alt=""
Binding
- Inventory Panel
- Create Pannel and Change Canvas name to
UI_Inven
- and use
UIPanel
in [Textures and Sprite]-[Rounded UI] to Panel
- Create Pannel and Change Canvas name to
data:image/s3,"s3://crabby-images/34978/349789887f72b89fe905b1fedd642fb8ebf9c553" alt=""
- create Panel in Panel and change name to
UI_Inven_Item
- create Image in
UI_Inven_Item
- use
icon1
in [Textures and Sprite]-[Decoration] to Image
data:image/s3,"s3://crabby-images/6f192/6f1924c4a6e3f248b9eb8126064ca4f084a7336e" alt=""
- Add
Grid Layout Group
in Panel
data:image/s3,"s3://crabby-images/324a8/324a8ac49945bbf7b9f7db7ce4cdcd8daaa24eee" alt=""
- prefab
UI_Inven_Item
and Duplicate this - prefab
UI_Inven
data:image/s3,"s3://crabby-images/27889/27889da1a32c29ba34a307a192997bf030216b17" alt=""
data:image/s3,"s3://crabby-images/e9fa8/e9fa855cc9c496d4f6d438b70b937c7e0c4331bd" alt=""
- Change Prefab
- in
UI_Inven
prefab, change panel name toGridPanel
- in
data:image/s3,"s3://crabby-images/de73f/de73ffff0a0280ecb108ec2db3279ef51ae3941c" alt=""
- in
UI_Inven_Item
prefab, change image name toItemIcon
- create Text and change name to
ItemNameText
data:image/s3,"s3://crabby-images/58a61/58a616d03c1172af689527247f46847cf357520c" alt=""
data:image/s3,"s3://crabby-images/95e87/95e878dee39b41e0d609ca50537da7cd151e466a" alt=""
- Scripts\UI\Scene\UI_Inven.cs
public class UI_Inven : UI_Scene
{
enum GameObjects
{
GridPanel,
}
void Start()
{
Init();
}
public override void Init()
{
base.Init();
Bind<GameObject>(typeof(GameObjects));
GameObject gridPanel = Get<GameObject>((int)GameObjects.GridPanel);
foreach (Transform child in gridPanel.transform)
Managers.Resource.Destroy(child.gameObject);
for(int i=0; i<8; i++)
{
GameObject item = Managers.Resource.Instantiate("UI/Scene/UI_Inven_Item");
item.transform.SetParent(gridPanel.transform);
UI_Inven_Item invenItem = Util.GetOrAddComponent<UI_Inven_Item>(item);
invenItem.SetInfo($"Sward {i}");
}
}
}
- PlayerController.cs
void Start()
{
...
Managers.UI.ShowSceneUI<UI_Inven>();
}
- UI_Base.cs
- Making Init in here is better
public abstract class UI_Base : MonoBehaviour
{
...
public abstract void Init();
...
}
- UI_Popup.cs
public class UI_Popup : UI_Base
{
public override void Init()
{
Managers.UI.SetCanvas(gameObject, true);
}
}
- UI_Scene.cs
public class UI_Scene : UI_Base
{
public override void Init()
{
Managers.UI.SetCanvas(gameObject, false);
}
}
- Scripts\UI\Scene\UI_Inven_Item.cs
public class UI_Inven_Item : UI_Base
{
enum GameObjects
{
ItemIcon,
ItemNameText,
}
string _name;
void Start()
{
Init();
}
public override void Init()
{
Bind<GameObject>(typeof(GameObjects));
Get<GameObject>((int)GameObjects.ItemNameText).GetComponent<Text>().text = _name;
Get<GameObject>((int)GameObjects.ItemIcon).AddUIEvent((PointerEventData) => { Debug.Log($"{_name} Item clicked!"); } );
}
public void SetInfo(string name)
{
_name = name;
}
}
- Add Component
- in
UI_Inven
prefab, add ComponenetUI_Inven.cs
- in
UI_Inven_Item
prefab, add ComponentUI_Inven_Item.cs
- in
data:image/s3,"s3://crabby-images/9077c/9077cff817309a9367c7d009af77d430dbe7bdf9" alt=""
data:image/s3,"s3://crabby-images/1fcb6/1fcb6b845aaa94a819cb6d835e0e6d792922e30c" alt=""
Fix Codes
- folder organization
- move
UI_Inven_Item
prefab and script
- move
data:image/s3,"s3://crabby-images/ab968/ab9682e2983e7e92ee0d5f1da9abcd1e4ffc9843" alt=""
data:image/s3,"s3://crabby-images/90175/9017522644f34e3b8b3c95d56dc301f40a1131ea" alt=""
- ResourceManager.cs
- it removes “(Clone)” string when creating new object by prefab
public GameObject Instantiate(string path, Transform parent = null)
{
...
GameObject go = Object.Instantiate(prefab, parent);
int index = go.name.IndexOf("(Clone)");
if (index > 0)
go.name = go.name.Substring(0, index);
return go;
}
- UIManager.cs
public T MakeSubItem<T>(Transform parent = null, string name = null) where T : UI_Base
{
if (string.IsNullOrEmpty(name))
name = typeof(T).Name;
GameObject go = Managers.Resource.Instantiate($"UI/SubItem/{name}");
if (parent != null)
go.transform.SetParent(parent);
return Util.GetOrAddComponent<T>(go);
}
- UI_Base.cs
public abstract class UI_Base : MonoBehaviour
{
...
protected GameObject GetObject(int idx) { return Get<GameObject>(idx); }
public static void BindEvent(GameObject go, Action<PointerEventData> action, Define.UIEvent type = Define.UIEvent.Click)
{
...
}
}
-
and change all
AddUIEvent
toBindEvent
in the project -
Extension.cs
public static class Extension
{
public static T GetOrAddComponent<T>(this GameObject go) where T : UnityEngine.Component
{
return Util.GetOrAddComponent<T>(go);
}
...
}
Scene
organize Scenes
- PlayerController.cs
void Start()
{
...
//Managers.UI.ShowSceneUI<UI_Inven>();
}
- Scripts\Scenes\BaseScene.cs
public abstract class BaseScene : MonoBehaviour
{
public Define.Scene SceneType { get; protected set; } = Define.Scene.Unknown;
void Awake()
{
Init();
}
protected virtual void Init()
{
Object obj = GameObject.FindObjectOfType(typeof(EventSystem));
if (obj == null)
Managers.Resource.Instantiate("UI/EventSystem").name = "@EventSystem";
}
public abstract void Clear();
}
- Scripts\Scenes\GameScene.cs
public class GameScene : BaseScene
{
protected override void Init()
{
base.Init();
SceneType = Define.Scene.Game;
Managers.UI.ShowSceneUI<UI_Inven>();
}
public override void Clear() { }
}
- Scripts\Scenes\LoginScene.cs
public class LoginScene : BaseScene
{
protected override void Init()
{
base.Init();
SceneType = Define.Scene.Login;
}
public override void Clear() { }
}
- Define.cs
public class Define
{
public enum Scene
{
Unknown,
Login,
Lobby,
Game,
}
...
}
- Game
- save
SampleScene
toGame
- Create Empty GameObject and change name to
@Scene
- Add
GameScene.cs
Componenet to@Scene
- save
data:image/s3,"s3://crabby-images/4b3a4/4b3a4e88647e6aa47eae41e0c52404b7aaf94720" alt=""
- prefab EventSystem in Prefabs\UI
- Remove EventSystem object in Hierarchy
data:image/s3,"s3://crabby-images/34715/34715c83d2425b220a216805692abb400371d879" alt=""
- Login
- Create New Scene and save name to
Login
- Create Empty GameObject and change name to
@Scene
- Add
LoginScene.cs
Componenet to@Scene
- Create New Scene and save name to
data:image/s3,"s3://crabby-images/e10b3/e10b3848441149c765157fa8f296353285c0030a" alt=""
Changing Scenes
- Build Settings
- [Files]-[Build Settings]
- You can add Scene by Drag in Asset
data:image/s3,"s3://crabby-images/0c1a9/0c1a94e19920154cfa7e27ba547d2ef29fc3742a" alt=""
-
it is for just setting, dont’ click build button, just exit this window
-
Scripts\Managers\SceneManagerEx.cs
public class SceneManagerEx
{
public BaseScene CurrentScene { get { return GameObject.FindObjectOfType<BaseScene>(); } }
public void LoadScene(Define.Scene type)
{
CurrentScene.Clear();
SceneManager.LoadScene(GetSceneName(type));
}
string GetSceneName(Define.Scene type)
{
string name = System.Enum.GetName(typeof(Define.Scene), type);
return name;
}
}
- Managers.cs
public class Managers : MonoBehaviour
{
...
SceneManagerEx _scene = new SceneManagerEx();
...
public static SceneManagerEx Scene { get { return Instance._scene; } }
}
- LoginScene.cs
- scene will change when you press Q
private void Update()
{
if(Input.GetKeyDown(KeyCode.Q))
{
Managers.Scene.LoadScene(Define.Scene.Game);
}
}
public override void Clear()
{
Debug.Log("LoginScene Clear!");
}
Sound
Sound ingredients
- Audio Source
- Player
- Audio Clip
- Sound file
- Audio Listener
- audience
Sound Manager
- move sound clips
- Create [Sounds] folder
- if player meet box, then sounds will play
data:image/s3,"s3://crabby-images/d303d/d303df94af8daeda972e62c0cd2d57f3292625fe" alt=""
- Add Sound Source Component
- Delete Cube Two
- Add Sound Source Component on Cube One
- check
Is Trigger
on Cube One - and Audio Listner is already in Main Camera, so you don’t have to add Audio Listner
- if you want, you can add Aduio Listner on player
data:image/s3,"s3://crabby-images/8e91c/8e91cb4e95d61bc5a3166a5c7605a0f97424e4cc" alt=""
- Scripts\Managers\SoundManager.cs
public class SoundManager
{
AudioSource[] _audioSources = new AudioSource[(int)Define.Sound.MaxCount];
Dictionary<string, AudioClip> _audioClips = new Dictionary<string, AudioClip>();
public void Init()
{
GameObject root = GameObject.Find("@Sound");
if (root == null)
{
root = new GameObject { name = "@Sound" };
Object.DontDestroyOnLoad(root);
string[] soundNames = System.Enum.GetNames(typeof(Define.Sound));
for(int i=0; i<soundNames.Length -1; i++)
{
GameObject go = new GameObject { name = soundNames[i] };
_audioSources[i] = go.AddComponent<AudioSource>();
go.transform.parent = root.transform;
}
_audioSources[(int)Define.Sound.Bgm].loop = true;
}
}
public void Clear()
{
foreach(AudioSource audioSource in _audioSources)
{
audioSource.clip = null;
audioSource.Stop();
}
_audioClips.Clear();
}
public void Play(string path, Define.Sound type = Define.Sound.Effect, float pitch = 1.0f)
{
AudioClip audioClip = GetOrAddAudioClip(path, type);
Play(audioClip, type, pitch);
}
public void Play(AudioClip audioClip, Define.Sound type = Define.Sound.Effect, float pitch = 1.0f)
{
if (audioClip == null)
return;
if (type == Define.Sound.Bgm)
{
AudioSource audioSource = _audioSources[(int)Define.Sound.Bgm];
if (audioSource.isPlaying)
audioSource.Stop();
audioSource.pitch = pitch;
audioSource.clip = audioClip;
audioSource.Play();
}
else
{
AudioSource audioSource = _audioSources[(int)Define.Sound.Effect];
audioSource.pitch = pitch;
audioSource.PlayOneShot(audioClip);
}
}
AudioClip GetOrAddAudioClip(string path, Define.Sound type = Define.Sound.Effect)
{
if (path.Contains("Sounds/") == false)
path = $"Sounds/{path}";
AudioClip audioClip = null;
if (type == Define.Sound.Bgm)
{
audioClip = Managers.Resource.Load<AudioClip>(path);
}
else
{
if (_audioClips.TryGetValue(path, out audioClip) == false)
{
audioClip = Managers.Resource.Load<AudioClip>(path);
_audioClips.Add(path, audioClip);
}
}
if (audioClip == null)
{
Debug.Log($"AudioClip Missing! {path}");
}
return audioClip;
}
}
- Managers.cs
public class Managers : MonoBehaviour
{
...
SoundManager _sound = new SoundManager();
...
public static SoundManager Sound { get { return Instance._sound; } }
...
}
- Define.cs
public class Define
{
...
public enum Sound
{
Bgm,
Effect,
MaxCount,
}
...
}
- TestSound.cs
public class TestSound : MonoBehaviour
{
public AudioClip audioClip;
public AudioClip audioClip2;
int i = 0;
private void OnTriggerEnter(Collider other)
{
i++;
if(i%2==0)
Managers.Sound.Play(audioClip, Define.Sound.Bgm);
else
Managers.Sound.Play(audioClip2, Define.Sound.Bgm);
}
}
Memory Optimization
- Managers.cs
public class Managers : MonoBehaviour
{
...
public static void Clear()
{
Input.Clear();
Sound.Clear();
Scene.Clear();
UI.Clear();
}
}
- InputManager.cs
public void Clear()
{
KeyAction = null;
MouseAction = null;
}
- UIManager.cs
public void Clear()
{
CloseAllPopupUI();
_sceneUI = null;
}
- SceneManagerEX.cs
public void LoadScene(Define.Scene type)
{
Managers.Clear();
//CurrentScene.Clear();
...
}
...
public void Clear()
{
CurrentScene.Clear();
}
- LoginScene.cs
public override void Clear()
{
Debug.Log("LoginScene Clear!");
}
3D Sound
- make 3D Sound on Cube One
- change Spatial Blend to 1. This mean this Sound Source is 3D Sound.
- change min and max distance
data:image/s3,"s3://crabby-images/f1d98/f1d98d2b378ef754747b8297d0b210efadfd7e65" alt=""
- for Next chapter, you need to remove TestSounc.cs and Sound Source Component on Cube One
Pool
- Pooling
- If there is so much object in game, it will make some trouble when loading.
- to decrese this overloading, pool manager will work
- pool manager loads object before they are activate setting non-activate
- when the are needed in game, pool manager will switch their status to activate from non-activate
Pool Manager
- Manager.cs
public class Managers : MonoBehaviour
{
...
PoolManager _pool = new PoolManager();
...
public static PoolManager Pool { get { return Instance._pool; } }
...
static void Init()
{
if (s_instance == null)
{
...
s_instance._pool.Init();
...
}
}
public static void Clear()
{
...
Pool.Clear();
}
}
- Scripts\Managers\Poolable.cs
public class Poolable : MonoBehaviour
{
public bool IsUsing;
}
- Scripts\Managers\PoolManager.cs
public class PoolManager
{
#region Pool
class Pool
{
public GameObject Original { get; private set; }
public Transform Root { get; set; }
Stack<Poolable> _poolStack = new Stack<Poolable>();
public void Init(GameObject original, int count = 5)
{
Original = original;
Root = new GameObject().transform;
Root.name = $"{original.name}_Root";
for(int i=0; i<count; i++)
Push(Create());
}
Poolable Create()
{
GameObject go = Object.Instantiate<GameObject>(Original);
go.name = Original.name;
return go.GetOrAddComponent<Poolable>();
}
public void Push(Poolable poolable)
{
if (poolable == null)
return;
poolable.transform.parent = Root;
poolable.gameObject.SetActive(false);
poolable.IsUsing = false;
_poolStack.Push(poolable);
}
public Poolable Pop(Transform parent)
{
Poolable poolable;
if (_poolStack.Count > 0)
poolable = _poolStack.Pop();
else
poolable = Create();
poolable.gameObject.SetActive(true);
if (parent == null)
poolable.transform.parent = Managers.Scene.CurrentScene.transform;
poolable.transform.parent = parent;
poolable.IsUsing = true;
return poolable;
}
}
#endregion
Dictionary<string, Pool> _pool = new Dictionary<string, Pool>();
Transform _root;
public void Init()
{
if (_root == null)
{
_root = new GameObject { name = "@Pool_Root" }.transform;
Object.DontDestroyOnLoad(_root);
}
}
public void CreatePool(GameObject original, int count = 5)
{
Pool pool = new Pool();
pool.Init(original, count);
pool.Root.parent = _root;
_pool.Add(original.name, pool);
}
public void Push(Poolable poolable)
{
string name = poolable.gameObject.name;
if (_pool.ContainsKey(name) == false)
{
GameObject.Destroy(poolable.gameObject);
return;
}
_pool[name].Push(poolable);
}
public Poolable Pop(GameObject original, Transform parent = null)
{
if (_pool.ContainsKey(original.name) == false)
CreatePool(original);
return _pool[original.name].Pop(parent);
}
public GameObject GetOriginal(string name)
{
if (_pool.ContainsKey(name) == false)
return null;
return _pool[name].Original;
}
public void Clear()
{
foreach (Transform child in _root)
GameObject.Destroy(child.gameObject);
_pool.Clear();
}
}
- ResourceManager.cs
public T Load<T>(string path) where T: Object
{
if (typeof(T) == typeof(GameObject))
{
...
GameObject go = Managers.Pool.GetOriginal(name);
if (go != null)
return go as T;
}
...
}
public GameObject Instantiate(string path, Transform parent = null)
{
GameObject original = Load<GameObject>($"Prefabs/{path}");
if (original == null)
{
Debug.Log($"Failed to load prefab: {path}");
return null;
}
if (original.GetComponent<Poolable>() != null)
return Managers.Pool.Pop(original, parent).gameObject;
GameObject go = Object.Instantiate(original, parent);
go.name = original.name;
return go;
}
public void Destroy(GameObject go)
{
if (go == null)
return;
Poolable poolable = go.GetComponent<Poolable>();
if(poolable != null)
{
Managers.Pool.Push(poolable);
return;
}
Object.Destroy(go);
}
Test
- GameScene.cs
protected override void Init()
{
...
for (int i = 0; i < 5; i++)
Managers.Resource.Instantiate("UnityChan");
}
- LoginScene.cs
protected override void Init()
{
...
List<GameObject> list = new List<GameObject>();
for (int i = 0; i < 5; i++)
list.Add(Managers.Resource.Instantiate("UnityChan"));
foreach(GameObject obj in list)
{
Managers.Resource.Destroy(obj);
}
}
- Test
- create new prefab for player
- remove player in hierarchy
- add player in CameraController component
data:image/s3,"s3://crabby-images/9097c/9097c5f99f01c932ed5c6e5697a8cf1add1843e9" alt=""
data:image/s3,"s3://crabby-images/4b3ad/4b3adb9935a3f58f65200323afefc94e2867805d" alt=""
Coroutine
- can Save/Restore status of function
- stop a work spending so much time
- stop/restore function when you want
return
- yield retun object
- return type what you want(even class)
- yield return null
- pass this tic
- yield return break;
- stop this coroutine
Test
- GameScene.cs
public class GameScene : BaseScene
{
Coroutine co;
protected override void Init()
{
...
co = StartCoroutine("ExplodeAfterSeconds", 4.0f);
StartCoroutine("CoStopExplode", 6.0f);
}
IEnumerator CoStopExplode(float seconds)
{
Debug.Log("Stop Enter");
yield return new WaitForSeconds(seconds);
Debug.Log("Stop Execute!");
if (co != null)
{
StopCoroutine(co);
co = null;
}
}
IEnumerator ExplodeAfterSeconds(float seconds)
{
Debug.Log("Explode Enter");
yield return new WaitForSeconds(seconds);
Debug.Log("Explode Execute!");
co = null;
}
}
Data
- JSON
- Normally, data is managed by json files
- Assets\Resources\Data\StatData.json
{
"stats": [
{
"level": "1",
"hp": "100",
"attack": "10"
},
{
"level": "2",
"hp": "150",
"attack": "15"
},
{
"level": "3",
"hp": "200",
"attack": "20"
}
]
}
Data Manager
- Data Manager
- control the json files of data
- Managers.cs
public class Managers : MonoBehaviour
{
...
DataManager _data = new DataManager();
...
public static DataManager Data { get { return Instance._data; } }
...
static void Init()
{
if (s_instance == null)
{
...
s_instance._data.Init();
...
}
}
}
- Scripts\Managers\DataManager.cs
public interface ILoader<Key, Value>
{
Dictionary<Key, Value> MakeDict();
}
public class DataManager
{
public Dictionary<int, Stat> StatDict { get; private set; } = new Dictionary<int, Stat>();
public void Init()
{
StatDict = LoadJson<StatData, int, Stat>("StatData").MakeDict();
}
Loader LoadJson<Loader, Key, Value>(string path) where Loader: ILoader<Key, Value>
{
TextAsset textAsset = Managers.Resource.Load<TextAsset>($"Data/{path}");
return JsonUtility.FromJson<Loader>(textAsset.text);
}
}
Test
- GameScene.cs
protected override void Init()
{
...
Dictionary<int,Stat> dict = Managers.Data.StatDict;
}