漫畫安卓:Android EventBus從使用到源碼解析,這一篇就夠了

在這裏插入圖片描述
在這裏插入圖片描述
在這裏插入圖片描述
在這裏插入圖片描述

基本使用步驟

1)定義事件Event算法

public class MyEvent {
    public MyEvent(String id, String message) {
        this.id = id;
        this.message = message;
    }

    public String id;

    public String message;

    public String getId() {
        return id;
    }

    public void setId(String id) {
        this.id = id;
    }

    public String getMessage() {
        return message;
    }

    public void setMessage(String message) {
        this.message = message;
    }
}
複製代碼

2)註冊訂閱者,並實現回調方法緩存

public class MainActivity extends Activity {

    private TextView message, next;

    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_main);

        initView();
        initData();
    }


    /**
     * 初始化佈局組件
     */
    private void initView() {
        message = findViewById(R.id.message);
        next = findViewById(R.id.next);

        next.setOnClickListener(new View.OnClickListener() {
            @Override
            public void onClick(View view) {
                Intent intent = new Intent(MainActivity.this, SecondActivity.class);
                startActivity(intent);
            }
        });
    }

    @Subscribe(threadMode = ThreadMode.MAIN)
    public void onMyEvent(MyEvent event) {
        message.setText(event.getMessage());
    }

    /**
     * 初始化數據
     */
    private void initData() {
        EventBus.getDefault().register(this);
    }

    @Override
    protected void onDestroy() {
        super.onDestroy();
        EventBus.getDefault().unregister(this);
    }
}
複製代碼

經過EventBus.getDefault().register(this);方法註冊訂閱者。 3)發送消息bash

public class SecondActivity extends Activity {

    private TextView message;

    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_second);

        initView();
    }

    /**
     * 初始化佈局組件
     */
    private void initView() {
        message = findViewById(R.id.message);
        message.setOnClickListener(new View.OnClickListener() {
            @Override
            public void onClick(View view) {
                EventBus.getDefault().post(new MyEvent("1","這是從SecondActivity發送過來的消息"));
                Toast.makeText(SecondActivity.this, "消息發送成功", Toast.LENGTH_SHORT).show();
            }
        });
    }
}
複製代碼

經過EventBus.getDefault().post(new MyEvent("1","這是從SecondActivity發送過來的消息"));方法發送消息 app

在這裏插入圖片描述
在這裏插入圖片描述
在這裏插入圖片描述
在這裏插入圖片描述

源碼分析

EventBus的使用先註冊訂閱者,並實現方法,而後再發送post消息,因此咱們分析源碼也按照這個順序來。 1)實例化EventBusasync

EventBus.getDefault().register(this);
複製代碼

該方法首先獲取EventBus實例,而後再註冊,源碼以下所示:ide

/** Convenience singleton for apps using a process-wide EventBus instance. */
    public static EventBus getDefault() {
        if (defaultInstance == null) {
            synchronized (EventBus.class) {
                if (defaultInstance == null) {
                    defaultInstance = new EventBus();
                }
            }
        }
        return defaultInstance;
    }
複製代碼

能夠看到,實例化EventBus是個雙重鎖的單例模式。 函數

在這裏插入圖片描述
在這裏插入圖片描述
在這裏插入圖片描述
在這裏插入圖片描述
接下來看EventBus的構造函數,源碼以下:

EventBus(EventBusBuilder builder) {
        logger = builder.getLogger();
        subscriptionsByEventType = new HashMap<>();
        typesBySubscriber = new HashMap<>();
        stickyEvents = new ConcurrentHashMap<>();
        mainThreadSupport = builder.getMainThreadSupport();
        mainThreadPoster = mainThreadSupport != null ? mainThreadSupport.createPoster(this) : null;
        backgroundPoster = new BackgroundPoster(this);
        asyncPoster = new AsyncPoster(this);
        indexCount = builder.subscriberInfoIndexes != null ? builder.subscriberInfoIndexes.size() : 0;
        subscriberMethodFinder = new SubscriberMethodFinder(builder.subscriberInfoIndexes,
                builder.strictMethodVerification, builder.ignoreGeneratedIndex);
        logSubscriberExceptions = builder.logSubscriberExceptions;
        logNoSubscriberMessages = builder.logNoSubscriberMessages;
        sendSubscriberExceptionEvent = builder.sendSubscriberExceptionEvent;
        sendNoSubscriberEvent = builder.sendNoSubscriberEvent;
        throwSubscriberException = builder.throwSubscriberException;
        eventInheritance = builder.eventInheritance;
        executorService = builder.executorService;
    }
複製代碼

能夠看到,在EventBus的構造函數中,初始化了一大堆變量,這邊主要關注前面兩個。源碼分析

subscriptionsByEventType = new HashMap<>();:key:事件類型(如:MyEvent ),value:新的訂閱對象的集合,包括訂閱者和訂閱者包含的方法。具體賦值邏輯在後面會講,這邊先了解便可。
typesBySubscriber = new HashMap<>();:key:事件的訂閱者(MainActivity ),value:事件類型的集合。訂閱者跟事件類型是一對多的關係,因此一個界面能夠支持多個事件類型。

複製代碼

在這裏插入圖片描述
在這裏插入圖片描述
2)註冊

/**
     * Registers the given subscriber to receive events. Subscribers must call {@link #unregister(Object)} once they
     * are no longer interested in receiving events.
     * <p/>
     * Subscribers have event handling methods that must be annotated by {@link Subscribe}.
     * The {@link Subscribe} annotation also allows configuration like {@link
     * ThreadMode} and priority.
     */
    public void register(Object subscriber) {
        //1.拿到訂閱對象的類型;
        Class<?> subscriberClass = subscriber.getClass();
        //2.經過findSubscriberMethods方法獲取該訂閱者中的全部訂閱方法,由於可能包含多個訂閱方法,因此返回集合。
        List<SubscriberMethod> subscriberMethods = subscriberMethodFinder.findSubscriberMethods(subscriberClass);
        synchronized (this) {
            for (SubscriberMethod subscriberMethod : subscriberMethods) {
               //3.經過subscribe方法爲每一個訂閱方法進行訂閱。 
                subscribe(subscriber, subscriberMethod);
            }
        }
    }
複製代碼

在這裏插入圖片描述
在這裏插入圖片描述
如何獲取該訂閱者中的全部訂閱方法,這邊主要看第二件事情的處理過程,及findSubscriberMethods方法的源碼

List<SubscriberMethod> findSubscriberMethods(Class<?> subscriberClass) {
        //先拿訂閱對象在本地緩存中查找,提升性能。
        List<SubscriberMethod> subscriberMethods = METHOD_CACHE.get(subscriberClass);
        if (subscriberMethods != null) {
            return subscriberMethods;
        }
		//默認狀況下ignoreGeneratedIndex值是falseif (ignoreGeneratedIndex) {
           //使用反射方法拿到訂閱者中的訂閱方法  
            subscriberMethods = findUsingReflection(subscriberClass);
        } else {
            //使用編譯期間生成的SubscriberInfo
            subscriberMethods = findUsingInfo(subscriberClass);
        }
        //若是沒有訂閱方法,則拋出異常
        if (subscriberMethods.isEmpty()) {
            throw new EventBusException("Subscriber " + subscriberClass
                    + " and its super classes have no public methods with the @Subscribe annotation");
        } else {
        	//本地存儲訂閱方法,方便下次獲取,提升了性能
            METHOD_CACHE.put(subscriberClass, subscriberMethods);
            return subscriberMethods;
        }
    }
複製代碼

能夠看到上面方法作了三件事: 1.先拿訂閱對象在本地緩存中查找訂閱方法 2.若是本地獲取不到,則根據ignoreGeneratedIndex的值決定獲取訂閱方法的方式 3.本地保存訂閱方法。 能夠看到獲取訂閱的關鍵方法爲:findUsingInfo(),那麼趕忙看下他的源碼,以下:佈局

private List<SubscriberMethod> findUsingInfo(Class<?> subscriberClass) {
        FindState findState = prepareFindState();
        findState.initForSubscriber(subscriberClass);
        while (findState.clazz != null) {
            // 獲取訂閱者信息,沒有配置MyEventBusIndex返回null
            findState.subscriberInfo = getSubscriberInfo(findState);
            if (findState.subscriberInfo != null) {
                SubscriberMethod[] array = findState.subscriberInfo.getSubscriberMethods();
                for (SubscriberMethod subscriberMethod : array) {
                    if (findState.checkAdd(subscriberMethod.method, subscriberMethod.eventType)) {
                        findState.subscriberMethods.add(subscriberMethod);
                    }
                }
            } else {
                // 經過反射來查找訂閱方法,因此爲了提升性能,咱們仍是要用索引的形式使用EventBus
                findUsingReflectionInSingleClass(findState);
            }
            findState.moveToSuperclass();
        }
        return getMethodsAndRelease(findState);
    }
複製代碼

在這裏插入圖片描述
在這裏插入圖片描述
在這裏插入圖片描述
在這裏插入圖片描述
獲取到訂閱方法後,咱們看真正的註冊方法subscribe(subscriber, subscriberMethod);

// Must be called in synchronized block
    private void subscribe(Object subscriber, SubscriberMethod subscriberMethod) {
        //獲取到事件類型(如:MyEvent )
        Class<?> eventType = subscriberMethod.eventType;
        //把訂閱者和訂閱者方法從新封裝成新的對象
        Subscription newSubscription = new Subscription(subscriber, subscriberMethod);
        //事件類型爲key,新的訂閱者對象列表爲value,存儲進subscriptionsByEventType
        //該集合很重要,當post消息的時候,就是從該集合中查找訂閱者對象列表
        CopyOnWriteArrayList<Subscription> subscriptions = subscriptionsByEventType.get(eventType);
        if (subscriptions == null) {
            //若是訂閱者對象列表爲空,則初始化出來,並加到subscriptionsByEventType中
            subscriptions = new CopyOnWriteArrayList<>();
            subscriptionsByEventType.put(eventType, subscriptions);
        } else {
            if (subscriptions.contains(newSubscription)) {
                throw new EventBusException("Subscriber " + subscriber.getClass() + " already registered to event "
                        + eventType);
            }
        }

        int size = subscriptions.size();
        for (int i = 0; i <= size; i++) {
            // 根據訂閱方法的優先級,添加到訂閱列表
            if (i == size || subscriberMethod.priority > subscriptions.get(i).subscriberMethod.priority) {
                subscriptions.add(i, newSubscription);
                break;
            }
        }
		//訂閱者爲key,事件類型列表爲value,存儲進typesBySubscriber
        List<Class<?>> subscribedEvents = typesBySubscriber.get(subscriber);
        if (subscribedEvents == null) {
            subscribedEvents = new ArrayList<>();
            typesBySubscriber.put(subscriber, subscribedEvents);
        }
        subscribedEvents.add(eventType);

        if (subscriberMethod.sticky) {
            if (eventInheritance) {
                // Existing sticky events of all subclasses of eventType have to be considered.
                // Note: Iterating over all events may be inefficient with lots of sticky events,
                // thus data structure should be changed to allow a more efficient lookup
                // (e.g. an additional map storing sub classes of super classes: Class -> List<Class>).
                Set<Map.Entry<Class<?>, Object>> entries = stickyEvents.entrySet();
                for (Map.Entry<Class<?>, Object> entry : entries) {
                    Class<?> candidateEventType = entry.getKey();
                    if (eventType.isAssignableFrom(candidateEventType)) {
                        Object stickyEvent = entry.getValue();
                        checkPostStickyEventToSubscription(newSubscription, stickyEvent);
                    }
                }
            } else {
                Object stickyEvent = stickyEvents.get(eventType);
                checkPostStickyEventToSubscription(newSubscription, stickyEvent);
            }
        }
    }
複製代碼

能夠看到上面方法作了兩件事: 1.根據訂閱方法的優先級,添加到訂閱列表,事件類型爲key,訂閱列表爲value,存儲進subscriptionsByEventType 2.訂閱者爲key,事件類型列表爲value,存儲進typesBySubscriber post

在這裏插入圖片描述
在這裏插入圖片描述
3)發送消息

/** Posts the given event to the event bus. */
    public void post(Object event) {
        PostingThreadState postingState = currentPostingThreadState.get();
        List<Object> eventQueue = postingState.eventQueue;
        //將當前要發送的事件加入到隊列中
        eventQueue.add(event);

        if (!postingState.isPosting) {
            postingState.isMainThread = isMainThread();
            postingState.isPosting = true;
            if (postingState.canceled) {
                throw new EventBusException("Internal error. Abort state was not reset");
            }
            try {
                 //循環從列表中拿event
                while (!eventQueue.isEmpty()) {
                    postSingleEvent(eventQueue.remove(0), postingState);
                }
            } finally {
                postingState.isPosting = false;
                postingState.isMainThread = false;
            }
        }
    }
複製代碼

循環從eventQueue取event,調用postSingleEvent方法:

private void postSingleEvent(Object event, PostingThreadState postingState) throws Error {
        Class<?> eventClass = event.getClass();
        boolean subscriptionFound = false;
        if (eventInheritance) {
            //查找event事件和event子類事件
            List<Class<?>> eventTypes = lookupAllEventTypes(eventClass);
            int countTypes = eventTypes.size();
            for (int h = 0; h < countTypes; h++) {
                Class<?> clazz = eventTypes.get(h);
                subscriptionFound |= postSingleEventForEventType(event, postingState, clazz);
            }
        } else {
            subscriptionFound = postSingleEventForEventType(event, postingState, eventClass);
        }
        if (!subscriptionFound) {
            if (logNoSubscriberMessages) {
                logger.log(Level.FINE, "No subscribers registered for event " + eventClass);
            }
            if (sendNoSubscriberEvent && eventClass != NoSubscriberEvent.class &&
                    eventClass != SubscriberExceptionEvent.class) {
                post(new NoSubscriberEvent(this, event));
            }
        }
    }

複製代碼

遍歷每一個event事件或者子類,會再調用postSingleEventForEventType:

private boolean postSingleEventForEventType(Object event, PostingThreadState postingState, Class<?> eventClass) {
        CopyOnWriteArrayList<Subscription> subscriptions;
        synchronized (this) {
        	//subscriptionsByEventType有沒有很眼熟,在subscribe方法中,事件類型爲key,新的訂閱者對象列表爲value,存儲進subscriptionsByEventType
        	//獲取到新的訂閱對象列表
            subscriptions = subscriptionsByEventType.get(eventClass);
        }
        if (subscriptions != null && !subscriptions.isEmpty()) {
        	//循環訂閱對象列表
            for (Subscription subscription : subscriptions) {
                postingState.event = event;
                postingState.subscription = subscription;
                boolean aborted = false;
                try {
                    postToSubscription(subscription, event, postingState.isMainThread);
                    aborted = postingState.canceled;
                } finally {
                    postingState.event = null;
                    postingState.subscription = null;
                    postingState.canceled = false;
                }
                if (aborted) {
                    break;
                }
            }
            return true;
        }
        return false;
    }

複製代碼

能夠看到,該方法其實就是從subscriptionsByEventType集合中,查找該event對應的訂閱者對象列表,而後遍歷訂閱者對象,調用postToSubscription方法。

private void postToSubscription(Subscription subscription, Object event, boolean isMainThread) {
        switch (subscription.subscriberMethod.threadMode) {
            case POSTING:
                invokeSubscriber(subscription, event);
                break;
            case MAIN:
                if (isMainThread) {
                	//經過反射,調用訂閱者的方法
                    invokeSubscriber(subscription, event);
                } else {
                    mainThreadPoster.enqueue(subscription, event);
                }
                break;
            case MAIN_ORDERED:
                if (mainThreadPoster != null) {
                    mainThreadPoster.enqueue(subscription, event);
                } else {
                    // temporary: technically not correct as poster not decoupled from subscriber
                    invokeSubscriber(subscription, event);
                }
                break;
            case BACKGROUND:
                if (isMainThread) {
                    backgroundPoster.enqueue(subscription, event);
                } else {
                    invokeSubscriber(subscription, event);
                }
                break;
            case ASYNC:
                asyncPoster.enqueue(subscription, event);
                break;
            default:
                throw new IllegalStateException("Unknown thread mode: " + subscription.subscriberMethod.threadMode);
        }
    }
複製代碼

最後經過反射調用訂閱者的方法。 經過上面的分析能夠看到發送消息實際上是三重循環: 1.循環從eventQueue取event,調用postSingleEvent方法 2.遍歷每一個event事件或者子類,調用postSingleEventForEventType方法 3.遍歷訂閱者對象,調用postToSubscription方法。 這種方式的算法複雜度仍是很高的,event事件不作繼承能夠提升發送流程的性能。

在這裏插入圖片描述
在這裏插入圖片描述
4)解綁

/** Unregisters the given subscriber from all event classes. */
    public synchronized void unregister(Object subscriber) {
        List<Class<?>> subscribedTypes = typesBySubscriber.get(subscriber);
        if (subscribedTypes != null) {
            for (Class<?> eventType : subscribedTypes) {
                unsubscribeByEventType(subscriber, eventType);
            }
            typesBySubscriber.remove(subscriber);
        } else {
            logger.log(Level.WARNING, "Subscriber to unregister was not registered before: " + subscriber.getClass());
        }
    }
複製代碼

能夠看到,先從typesBySubscriber集合中根據訂閱者獲取到事件類型列表subscribedTypes,而後循環事件類型,找出該事件類型對應的Subscriptions訂閱列表,循環遍歷,當Subscription對象中包含該訂閱者subscriber對象時,把該Subscription對象從訂閱列表中刪除,再從從typesBySubscriber中刪除對應的訂閱者。


若有錯誤歡迎指出來,一塊兒學習。

在這裏插入圖片描述
相關文章
相關標籤/搜索