多线程

引用命名空间:System.Threading;

Thread t = new Thread( 委托类型的参数 );

参数 ThreadStart(不带参的委托) ParameterizedThreadStart(带一个object参数的委托)

  1. void Fun01() { }
  2. void Fun02( object o ) { }
  3. void Fun03( string name, int age ) { }
  4. void main()
  5. {
  6. Thread t1 = new Thread ( Fun01 );
  7. Thread t2 = new Thread ( new ThreadStart( Fun01 ) );
  8. Thread t3 = new Thread ( Fun02 );
  9. Thread t4 = new Thread ( new ParameterizedThreadStart ( Fun02 ) );
  10. // 使用lambda表达式实现多參传递
  11. Thread t5 = new Thread( ()=>{Fun03("name", 20);} );
  12. }

协同

Unity引擎不支持C#多线程

协同模拟了多线程的效果,借助每一个 Update 函数执行的空隙时间执行的函数体

协同函数是分段执行的函数,不是每次调用都执行完整

定义和使用

定义协同函数格式:

[修辞]IEnumerator 协同函数名(行參列表)

最多只能有一个参数

举例:

  1. IEnumerator Run()
  2. {
  3. 语句1;
  4. yield return new WaitForSeconds(等待时间);// 如果返回以后,下次进入协同方法会从返回的语句之后继续执行,执行完上面的代码后休息指定的秒数,它不会影响引擎更新函数
  5. 语句2;
  6. yield return null; // 下一帧继续从后面的语句继续执行,存粹为了将函数分段
  7. if(条件)
  8. yield break; // 结束协同方法,后面的语句不再执行
  9. 语句3;
  10. yield return new WaiForEndOfFrame(); // 表示在图形被渲染到帧缓存之后,在帧缓存渲染到屏幕上之前
  11. }

调用协同函数方法:

启动协同:

  1. StartCoroutine(协同函数带实参列表);

举例:

  1. // 此种方式最多只可以有1个参数
  2. // 只能调用当前对象的协同方法
  3. StartCoroutine("Run");
  4. // 停止协同
  5. StopCoroutine("Run");
  6. // 此种方式可以调用多參的方法
  7. // 可以调用其他对象的协同方法
  8. Coroutin co = StartCoroutine(Run());
  9. // 停止协同
  10. StopCoroutine(co);
  11. StopAllCoroutine();

终止协同:

  1. StopCoroutine(正在运行的协同函数);

举例:

  1. StopCoroutine("Run");
  2. StopAllCoroutine();

异步加载

Resources.LoadAsync

  1. using UnityEngine;
  2. using System.Collections;
  3. public class ExampleClass : MonoBehaviour {
  4. void Start() {
  5. StartCoroutine(LoadTexture());
  6. }
  7. IEnumerator LoadTexture() {
  8. GameObject go = GameObject.CreatePrimitive(PrimitiveType.Cube);
  9. ResourceRequest request = Resources.LoadAsync("glass");
  10. yield return request;
  11. go.renderer.material.mainTexture = request.asset as Texture2D;
  12. }
  13. }
  1. using UnityEngine;
  2. using System.Collections;
  3. public class ExampleClass : MonoBehaviour {
  4. void Start() {
  5. StartCoroutine(LoadTexture());
  6. }
  7. IEnumerator LoadTexture() {
  8. GameObject go = GameObject.CreatePrimitive(PrimitiveType.Cube);
  9. ResourceRequest request = Resources.LoadAsync<Texture2D>("glass");
  10. yield return request;
  11. go.renderer.material.mainTexture = request.asset;
  12. }
  13. }