com.alicizax.unity.framework/Runtime/ABase/Base/DataStruct/SingletonManager.cs
2025-10-11 15:18:09 +08:00

131 lines
3.7 KiB
C#
Raw Permalink Blame History

This file contains ambiguous Unicode characters

This file contains Unicode characters that might be confused with other characters. If you think that this is intentional, you can safely ignore this warning. Use the Escape button to reveal them.

using System;
using System.Collections.Generic;
using UnityEngine;
namespace AlicizaX
{
/// <summary>
/// 所有单例的统一管理器。
/// </summary>
[DefaultExecutionOrder(-9999)]
public sealed class SingletonManager : MonoBehaviour
{
private static SingletonManager _instance;
private readonly Dictionary<Type, Component> _singletons = new();
public static SingletonManager Instance
{
get
{
if (_instance == null)
{
// 查找是否已有实例
_instance = FindFirstObjectByType<SingletonManager>();
if (_instance == null)
{
var obj = new GameObject("[SingletonManagers]");
_instance = obj.AddComponent<SingletonManager>();
DontDestroyOnLoad(obj);
}
}
return _instance;
}
}
/// <summary>
/// 注册一个单例。
/// </summary>
internal void Register<T>(T instance) where T : Component
{
var type = typeof(T);
if (!_singletons.ContainsKey(type))
{
_singletons[type] = instance;
instance.transform.SetParent(transform, false);
}
}
/// <summary>
/// 注销单例。
/// </summary>
internal void Unregister<T>(T instance) where T : Component
{
var type = typeof(T);
if (_singletons.TryGetValue(type, out var current) && current == instance)
_singletons.Remove(type);
}
/// <summary>
/// 获取一个已注册的单例(若不存在则返回 null
/// </summary>
public T Get<T>() where T : Component
{
_singletons.TryGetValue(typeof(T), out var result);
return result as T;
}
}
/// <summary>
/// 泛型单例基类。
/// 自动注册到 SingletonManager。
/// 支持动态创建与销毁。
/// </summary>
public abstract class Singleton<T> : MonoBehaviour where T : Component
{
private static T _instance;
private static readonly object _lock = new();
public static T Instance
{
get
{
if (_instance != null) return _instance;
lock (_lock)
{
if (_instance != null) return _instance;
// 检查 SingletonManager 是否存在
var manager = SingletonManager.Instance;
// 查找场景中是否已经存在该类型
_instance = manager.Get<T>();
if (_instance == null)
{
var obj = new GameObject(typeof(T).Name);
_instance = obj.AddComponent<T>();
manager.Register(_instance);
}
return _instance;
}
}
}
protected virtual void Awake()
{
if (_instance == null)
{
_instance = this as T;
SingletonManager.Instance.Register(_instance);
}
else if (_instance != this)
{
Destroy(gameObject);
return;
}
}
protected virtual void OnDestroy()
{
if (_instance == this)
{
SingletonManager.Instance.Unregister(this as T);
_instance = null;
}
}
}
}