Unity 客户端框架(二):单例基类

什么是单例类?

服务于:保证一个类仅有一个实例,并提供一个访问它的全局访问点。比如怪物管理器,音乐管理器,场景管理器等

为什么要有单例基类?

如果每个单例类都要实现一次单例模式,那么代码重复性会很严重,代码量会增加很多,所以这时候需要有一个基类用于继承

这是用于不需要继承至MonoBehavior的:

//T是一个类,可以new()的
    public abstract class Singleton where T : class,new()
    {
        //静态变量
        protected static T _Instance = null;
        
        
        public static T Instance
        {
            get
            {
                //如果_Instance空的,new一个再返回
                if (null == _Instance)
                    _Instance = new T();
                return _Instance;
            }
        }

        //构造的同时调用初始化函数
        protected Singleton()
        {
            if (null != _Instance)
                throw new SingletonException("This " + (typeof(T)).ToString() + " Singleton is not null !");
            Init();
        }

        public virtual void Init() { }

    }
这是用于需要继承自MonoBehavior的:

 //继承自MonoBehaviour
    public abstract class SingletonMono : MonoBehaviour where T : SingletonMono
    {


        protected static T _Instance = null;


        public static T Instance
        {
            get
            {
                if (null == _Instance)
                {
                    //寻找是否存在当前单例类对象
                    GameObject go = GameObject.Find(typeof(T).Name);
                    //不存在的话
                    if (go == null)
                    {
                        //new一个并添加一个单例脚本
                        go = new GameObject();
                        _Instance = go.AddComponent();
                    }
                    else
                    {
                        if(go.GetComponent() == null)
                        {
                            go.AddComponent();
                        }
                        _Instance = go.GetComponent();
                    }
                    //在切换场景的时候不要释放这个对象
                    DontDestroyOnLoad(go);
                }
                return _Instance;
            }
        }


    }



你可能感兴趣的:(Unity 客户端框架(二):单例基类)