Unity基础 异步加载场景

异步加载场景的基本概念

在Unity中,异步加载场景是指在游戏运行时,将场景中的资源分批次加载到内存中,以便提高游戏的加载速度和性能。通常情况下,加载场景的过程会在主线程中执行,而异步加载场景可以在后台线程中执行,从而不会阻塞主线程。

要使用异步加载首先我们要了解协程,不太清楚的同学可以点击这

了解了协程后我们我需要知道AsyncOperation这个类,它用于管理需要在后台执行的任务,首先我们介绍一下它的重要属性

isDone

isDone属性表示异步操作是否已完成。当场景加载完成时,AsyncOperation对象的isDone属性将返回true。 

AsyncOperation asyncOperation = SceneManager.LoadSceneAsync("MyScene");
while (!asyncOperation.isDone)
{
   yield return null;
}
//当isDone加载完成时场景跳转

progress

progress属性表示异步操作的度。该进属性返回一个在0和1之间的浮点数,表示操作已经完成的比例。

AsyncOperation asyncOperation = SceneManager.LoadSceneAsync("MyScene");
while (!asyncOperation.isDone)
{
  //显示当前进度
   Debug.Log("当前进度: " + asyncOperation.progress * 100 + "%");
  yield return null;
} 

allowSceneActivation

allowSceneActivation属性表示当场景加载完成后,是否立即激活该场景。

AsyncOperation asyncOperation = SceneManager.LoadSceneAsync("MyScene");
//当=true的时候,场景加载完毕后会直接接跳转,当=false时,加载完毕后不会跳转,需要设置为true才会跳转
asyncOperation.allowSceneActivation = true;
while (!asyncOperation.isDone)
{
    yield return null;
}
Debug.Log("场景加载完毕后跳转!"); 

completed

completed属性是一个异步操作完成时的回调函数。当异步操作完成时,该回调函数将被调用。我们可以使用该属性来指定异步操作完成后要执行的代码。 

AsyncOperation asyncOperation = SceneManager.LoadSceneAsync("MyScene");
asyncOperation.completed += operation =>
{
    Debug.Log("场景加载完成后执行的操作");
}; 

异步加载场景的示例代码

下面是一个简单的示例代码,演示了如何在Unity中异步加载场景: 

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

public class LoadSceneAsync : MonoBehaviour
{
    public string sceneName;
    //异步加载对象
    private AsyncOperation asyncLoad;

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

    IEnumerator LoadScene()
    {
        //获取加载对象
        asyncLoad = SceneManager.LoadSceneAsync(sceneName);
        //设置加载完成后不跳转
        asyncLoad.allowSceneActivation = false;

        while (!asyncLoad.isDone)
        {
            //输出加载进度
            Debug.Log(asyncLoad.progress);
            //进度.百分之九十后进行操作,当进度为百分之90其实已经完成了大部分的工作,就可以进行下面的逻辑处理了
            if (asyncLoad.progress >= 0.9f)
            {
                asyncLoad.allowSceneActivation = true;
            }

            yield return null;
        }
    }
} 

你可能感兴趣的:(unity,游戏引擎,异步加载)