起因

想定义一个单例模式模板类SingletonBase<T>,用于管理单例模式下的唯一实例。当子类继承这个基类时,它们会自动声明为单例模式。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
namespace Common
{
// 实例基类
public class SingletonBase<T> where T: SingletonBase<T>
{
private static T instance;

// 获取单例实例
public static T Instance
{
get
{
if (instance == null)
{
instance = System.Activator.CreateInstance(typeof(T), true) as T;
}
return instance;
}
}
}
}

上述实现没有考虑多线程环境下的安全性。如果在多线程环境中使用,可能会有多个线程几乎同时检查 instance 是否为 null,从而可能导致创建多个实例。

解决

在场景中查找是否已存在该类型的实例,如果场景中不存在该类型的实例,则创建一个新的GameObject并添加该组件

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
using UnityEngine;

namespace Common
{
public class SingletonBase<T> : MonoBehaviour where T : MonoBehaviour
{
private static T instance;
public static T Instance
{
get
{
if (instance == null)
{
// 在场景中查找是否已存在该类型的实例
instance = FindObjectOfType<T>();
// 如果场景中不存在该类型的实例,则创建一个新的GameObject并添加该组件
if (instance == null)
{
GameObject singletonObject = new GameObject(typeof(T).Name + "_Singleton");
instance = singletonObject.AddComponent<T>();
DontDestroyOnLoad(singletonObject);
}
}
return instance;
}
}

protected virtual void Awake()
{
// 确保在场景切换时不会销毁该实例
DontDestroyOnLoad(gameObject);
// 检查是否存在重复的实例
if (instance == null)
{
instance = this as T;
}
else
{
Destroy(gameObject);
}
}
}
}