使用责任链模式解决异步嵌套问题

  1. Chain: 用于表示一个链条对象
    (1)定义一个数组,用于保存这条链所有的interceptor;
    (2)定义一个param,用于保存该链式调用所需的参数;
    (3)包含一个proceed()方法,从第一个interceptor开始,循环调用interceptor的intercept()方法;
    (4)定义一个proceedNext(Interceptor interceptor),接收一个interceptor,表示从传入位置的下一个interceptor继续执行intercept()方法;
  2. Interceptor:用于执行具体逻辑
    (1)包含一个intercept(Chain chain)方法,接收当前chain对象,返回一个Boolean值;
    (2)当执行同步任务时,让interceptor返回false,执行完当前interceptor会立即执行下一个interceptor。
    (3)当执行异步任务时,让intercept()返回true,会结束当前链条的调用,如果异步结果返回后还需要继续执行,则调用chain的proceedNext(Interceptor interceptor)方,会继续执行下一个interceptor。
  3. Param:用于保存该链式调用所需的参数,供所有interceptor使用。
  4. 关键代码:
public class Chain {
    private List interceptors = new ArrayList<>();
    private Param param;

    public void proceed() {
        for (Interceptor interceptor : interceptors) {
            if (interceptor.intercept(this)) {
                break;
            }
        }
    }

    public void proceedNext(Interceptor interceptor) {
        int index = interceptors.indexOf(interceptor);
        if (index != -1) {
            for (int i = ++index; i < interceptors.size(); ++i) {
                interceptor = interceptors.get(i);
                if (interceptor.intercept(this)) {
                    break;
                }
            }
        }
    }

	... ...

}
  1. UML图
    使用责任链模式解决异步嵌套问题_第1张图片

你可能感兴趣的:(android)