如何捕获Unity3D协程中的异常

在Unity3D的协程中,如果发生异常,是无法捕获到异常的,try catch不允许跨yield使用,finally也不能确保代码块在协程异常结束时还能被执行,所以很多时候无法知道一个协程是否正常执行结束,出现错误也不方便查找原因,根据Unity3D协程其本质是一个迭代器的原理,我设计了一个可以在协程执行过程中注入代码块,捕获异常的可拦截迭代器InterceptableEnumerator。使用InterceptableEnumerator对原迭代器进行包装,就可以捕获到协程代码执行异常,并且无论协程是否正常结束,都可在协程退出前插入一个代码块,确保这个代码块一定会在协程结束时执行。在我的Executors中,我就是利用InterceptableEnumerator来确保任务正常结束的,无论协程执行成功或者异常我都能通过注册的Finally语句块来设置AsyncResult的结果,确保AsyncResult.IsDone等于true,不会造成任务卡死。
InterceptableEnumerator支持条件语句块,可以在外部插入一个条件语句块,控制协程逻辑或中止协程。异常语句块,可以捕获到协程异常,Finally语句块,确保协程结束一定会调用这个语句块。下面我们来看看示例。

/// 
/// 这是一个迭代器的包装函数
/// 
protected static InterceptableEnumerator WrapEnumerator(IEnumerator routine, IPromise promise)
{
    InterceptableEnumerator enumerator;
    if(routine is InterceptableEnumerator)
        enumerator = (InterceptableEnumerator)routine;
    else
        enumerator = new InterceptableEnumerator(routine);

    //注册一个条件语句块,如果任务取消,IsCancellationRequested = true,则结束任务
    enumerator.RegisterConditionBlock(() => !(promise.IsCancellationRequested));

    //注册一个异常捕获语句块,如果协程执行错误,则将异常赋值到任务结果,并打印错误
    enumerator.RegisterCatchBlock(e =>
    {
        if (promise != null)
            promise.SetException(e);
    
        if (log.IsErrorEnabled)
            log.Error(e);
    });

    //注册一个Finally语句块,确保任务能够正常结束退出
    enumerator.RegisterFinallyBlock(() =>
    {
        if (promise != null && !promise.IsDone)
        {
            if (promise.GetType().IsSubclassOfGenericTypeDefinition(typeof(IPromise<>)))
                promise.SetException(new Exception("No value given the Result"));
            else
                promise.SetResult();
        }
    });
    return enumerator;
}

这个可拦截迭代器是我的Unity3D MVVM框架 Loxodon.Framework 中的源码,有需要的朋友可以在github下载。
迭代器源码地址:InterceptableEnumerator 请点击下载。

你可能感兴趣的:(Unity3d,协程)