Unity 场景加载 DontDestroyOnLoad

参考
https://www.bilibili.com/video/BV1Ut4y1m7Zv?p=19
Unity异步加载场景SceneManager.LoadSceneAsync与AsyncOperation的使用

一、同步加载 SceneManager.LoadScene

https://docs.unity3d.com/cn/2019.4/ScriptReference/SceneManagement.SceneManager.LoadScene.html

注意:在大多数情况下,为了避免在加载时出现暂停或性能中断现象, 您应该使用此命令的异步版,即: LoadSceneAsync。

public static void LoadScene (int sceneBuildIndex, 
SceneManagement.LoadSceneMode mode= LoadSceneMode.Single);

public static void LoadScene (string sceneName, 
SceneManagement.LoadSceneMode mode= LoadSceneMode.Single);
1.名称或路径或索引
  • sceneName 要加载的场景的名称或路径。
  • sceneBuildIndex Build Settings 中要加载场景的索引。

提供的 sceneName 可以只是场景名称(不包含 .unity 扩展名),也可以是 BuildSettings 窗口中显示的路径(仍然不包含 .unity 扩展名)。如果仅提供场景名称,此方法将加载场景列表中匹配的第一个场景。如果有多个名称相同但路径不同的场景,应该使用完整路径。

2.LoadSceneMode

https://docs.unity3d.com/cn/2019.4/ScriptReference/SceneManagement.LoadSceneMode.html

  • Single 关闭所有当前加载的场景 并加载一个场景。
  • Additive 将场景添加到当前加载的场景。

参考04:Unity 5.3多场景编辑功能简介

用户可以通过LoadSceneMode来指定不同的加载模式。LoadSceneMode.Single在加载之前会卸载其他所有的场景,LoadSceneMode.Additive则是加载的时候不关闭之前的场景。
还有一点很重要的是LoadScene()并不是完全同步的,它只能保证在下一帧开始之前加载完毕。所以在此推荐大家使用LoadSceneAsync()这个异步的加载方法。

使用 SceneManager.LoadScene 时,不会立即加载场景,而是在下一帧加载。这种半异步的行为可能会导致帧卡顿,并可能令人困惑,因为加载无法立即完成。

参考Unity SceneManager.LoadScene之后不能马上SetActiveScene

        SceneManager.LoadScene("Scene2", LoadSceneMode.Additive);
        var scene = SceneManager.GetSceneByName("Scene2");
        Debug.Log(scene.name);
        //SceneManager.SetActiveScene(scene);
        SceneManager.sceneLoaded += (Scene sc, LoadSceneMode loadSceneMode) =>
        {
            SceneManager.SetActiveScene(scene);
        };

二、异步加载 SceneManager.LoadSceneAsync

https://docs.unity3d.com/cn/2019.4/ScriptReference/SceneManagement.SceneManager.LoadSceneAsync.html

public static AsyncOperation LoadSceneAsync (string sceneName, 
SceneManagement.LoadSceneMode mode= LoadSceneMode.Single);

public static AsyncOperation LoadSceneAsync (int sceneBuildIndex, 
SceneManagement.LoadSceneMode mode= LoadSceneMode.Single);

public static AsyncOperation LoadSceneAsync (string sceneName, 
SceneManagement.LoadSceneParameters parameters);

public static AsyncOperation LoadSceneAsync (int sceneBuildIndex, 
SceneManagement.LoadSceneParameters parameters);

parameters 用于将各种参数(除了名称和索引)收集到单个位置的结构。

1.返回值AsyncOperation

您可以 yield 直到异步操作继续,或手动检查它已完成 (isDone) 还是正在进行 (progress)。

  • allowSceneActivation 允许在场景准备就绪后立即激活场景。当我们不允许时,即使加载完成,也不会跳转。
  • isDone 操作是否已完成?(只读)。实际上用到比较少,较多的还是用进度。因为这个属性是要加载完毕并且开启跳转后,跳转成功才会变成完成
  • priority Priority 允许您调整执行异步操作调用的顺序。
  • progress 获取操作进度(只读)。实际上到0.9就已经加载完毕。
2.官方加载示例
using System.Collections;
using UnityEngine;
using UnityEngine.SceneManagement;

public class Example : MonoBehaviour
{
    void Update()
    {
        // Press the space key to start coroutine
        if (Input.GetKeyDown(KeyCode.Space))
        {
            // Use a coroutine to load the Scene in the background
            StartCoroutine(LoadYourAsyncScene());
        }
    }

    IEnumerator LoadYourAsyncScene()
    {
        // The Application loads the Scene in the background as the current Scene runs.
        // This is particularly good for creating loading screens.
        // You could also load the Scene by using sceneBuildIndex. In this case Scene2 has
        // a sceneBuildIndex of 1 as shown in Build Settings.

        AsyncOperation asyncLoad = SceneManager.LoadSceneAsync("Scene2");

        // Wait until the asynchronous scene fully loads
        while (!asyncLoad.isDone)
        {
            yield return null;
        }
    }
}
三、进度条实例

参考Unity进度条 异步加载SceneManager.LoadSceneAsync
新建LoadingScene,添加一个最大值为100的Slider,和一个Text

image.png

然后将脚本挂在GameObject上即可:

using System.Collections;
using UnityEngine;
using UnityEngine.SceneManagement;
using UnityEngine.UI;

public class LoadingSceneScript : MonoBehaviour
{
    public Slider slider;
    public Text text;//百分制显示进度加载情况

    void Start()
    {
        StartCoroutine(loginMy());
    }

    IEnumerator loginMy()
    {
        int displayProgress = 0;
        int toProgress = 0;
        AsyncOperation op = SceneManager.LoadSceneAsync("Scenes/modelScene");
        op.allowSceneActivation = false;
        while (op.progress < 0.9f) //此处如果是 <= 0.9f 则会出现死循环所以必须小0.9
        {
            toProgress = (int)op.progress * 100;
            while (displayProgress < toProgress)
            {
                ++displayProgress;
                SetLoadingPercentage(displayProgress);
                yield return new WaitForEndOfFrame();//ui渲染完成之后
            }
        }
        toProgress = 100;
        while (displayProgress < toProgress)
        {
            ++displayProgress;
            SetLoadingPercentage(displayProgress);
            yield return new WaitForEndOfFrame();
        }
        op.allowSceneActivation = true;

    }

    private void SetLoadingPercentage(int displayProgress)
    {
        slider.value = displayProgress;
        text.text = displayProgress.ToString() + "%";
    }
}

如果报错,检查一下要加载的场景是否添加到BuildSettings:


image.png
四、DontDestroyOnLoad

参考
https://docs.unity3d.com/cn/2019.4/ScriptReference/Object.DontDestroyOnLoad.html
DontDestroyOnLoad的使用

加载新的 Scene 会销毁所有现有的 Scene 对象。调用 Object.DontDestroyOnLoad 可以在关卡加载期间保留 Object。如果目标 Object 是组件或 GameObject,Unity 还会保留 Transform 的所有子项。 Object.DontDestroyOnLoad 不会返回值。

public class ExampleClass :MonoBehaviour{
   void Awake() {
      DontDestroyOnLoad(transform.gameObject);
   }
}

由于使用DontDestroyOnLoad的物体不会被释放掉,假设我们写了上面的代码,而物体所在的游戏场景又可以重复进入的时候,游戏物体就会在每次进入场景的时候创建一次,甚至可以无限创建下去,这样的处理明显不妥。

1.方案1

在每次调用DontDestroyOnLoad的时候,都去判断场景中是否有对应的物体,如果没有再去创建

void Awake() {
if(Gameobject.Find("GlobalController"))
 DontDestroyOnLoad(transform.gameObject);
}
2.方案2

把DontDestroyOnLoad的调用写到最初始的场景,并且保证相应的场景中不存在再次进入的可能性

3.方案3

把使用DontDestroyOnLoad的脚本进行静态初始化,在静态初始化的时候进行DontDestroyOnLoad操作

public class Global:MonoBehaviour
{
public static Globalinstance;
static Global()
{
GameObjectgo=newGameObject("Globa");
DontDestroyOnLoad(go);
instance=go.AddComponent();
}

public voidDoSomeThings()
{
Debug.Log("DoSomeThings");
}

voidStart()
{
Debug.Log("Start");
}
}
4.官方示例

该示例中的 scene1 开始播放来自 AudioSource 的背景音乐。在 scene2 加载时,音乐继续播放。

using System.Collections;
using System.Collections.Generic;
using UnityEngine;

// Object.DontDestroyOnLoad example.
//
// This script example manages the playing audio. The GameObject with the
// "music" tag is the BackgroundMusic GameObject. The AudioSource has the
// audio attached to the AudioClip.

public class DontDestroy : MonoBehaviour
{
    void Awake()
    {
        GameObject[] objs = GameObject.FindGameObjectsWithTag("music");

        if (objs.Length > 1)
        {
            Destroy(this.gameObject);
        }

        DontDestroyOnLoad(this.gameObject);
    }
}
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 211,042评论 6 490
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 89,996评论 2 384
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 156,674评论 0 345
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 56,340评论 1 283
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 65,404评论 5 384
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 49,749评论 1 289
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 38,902评论 3 405
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 37,662评论 0 266
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 44,110评论 1 303
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 36,451评论 2 325
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 38,577评论 1 340
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 34,258评论 4 328
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 39,848评论 3 312
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 30,726评论 0 21
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,952评论 1 264
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 46,271评论 2 360
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 43,452评论 2 348

推荐阅读更多精彩内容