Generic Singleton 패턴 (유니티) 소스코드 입니다.
- 유니티 app이 종료될 때, 무작위 순서로 오브젝트들이 destroy 됩니다.
대체적으로 싱글턴 객체는 app이 종료될 때에만 destroy 되게끔 코딩하는데,
OnApplicationQuit에서 싱글턴 객체가 이미 destroy 된 이후에 다른 스크립트에서의 싱글턴 객체 참조를 막기 위해 appIsQuitting 변수를 추가했고
get부분의 안정성을 위해 lock 키워드로 감싸주었습니다.
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 | // Singleton<T>.cs using UnityEngine; using System.Collections; public class Singleton<T> : MonoBehaviour where T : MonoBehaviour { private static T _singleton; private static object _lock = new object(); private static bool appIsQuitting = false; public static T singleton { get { if (appIsQuitting) { Debug.LogError("[Singleton<" + typeof(T).ToString() + ">] : " + "already destroyed on application quit"); return null; } lock (_lock) { if (_singleton == null) { _singleton = FindObjectOfType<T>(); if (FindObjectsOfType(typeof(T)).Length > 1) { Debug.LogError("[Singleton<" + typeof(T).ToString() + ">] : " + "singleton instance is duplicated"); return _singleton; } if (_singleton == null) { GameObject go = new GameObject(); _singleton = go.AddComponent<T>(); _singleton.name = typeof(T).ToString(); DontDestroyOnLoad(_singleton); } } return _singleton; } } } public virtual void OnApplicationQuit () { appIsQuitting = true; _singleton = null; } } | cs |
Singleton 클래스를 'T myClass = new T();' 와 같이 생성자 호출을 통해 생성하는 것을 막으려면
아래처럼 생성자에 protected 지시자를 붙여 주세요.
1 2 3 4 5 6 7 8 | // Example - GameManager.cs public class GameManager : Singleton<GameManager> { protected GameManager () { // guarentee this object will be always a singleton only - can not use the constructor } } | cs |
사용 예시
1 2 3 4 5 6 7 8 9 10 11 | // Example - Main.cs using UnityEngine; using System.Collections; public class Main : MonoBehaviour { void Awake () { Debug.Log(GameManager.singleton.GetType().ToString()); } } | cs |
'02.Development > Design Pattern' 카테고리의 다른 글
[DesignPattern] Observer Pattern (C#) (0) | 2016.03.15 |
---|