当前位置:网站首页>Eventbus source code analysis
Eventbus source code analysis
2022-07-07 01:01:00 【yinianzhijian99】
First look at EventBus Use , It's simple , Example :
// register
EventBus.getDefault().register(this);
// Cancellation of registration
EventBus.getDefault().unregister(this);
// The main thread receives messages
@Subscribe(threadMode = ThreadMode.MAIN)
public void doEventBus(MsgEvent event){
// Processing logic ...
}obtain EventBus example :
static volatile EventBus defaultInstance;
public static EventBus getDefault() {
if (defaultInstance == null) {
synchronized (EventBus.class) {
if (defaultInstance == null) {
defaultInstance = new EventBus();
}
}
}
return defaultInstance;
}Use the singleton mode , Get the same instance object
register() Method implementation :
public void register(Object subscriber) {
// First get the subscriber's class object
Class<?> subscriberClass = subscriber.getClass();
// adopt subscriberMethodFinder To find out what events subscribers subscribed to .
// Return to one SubscriberMethod Object's List, Class encapsulates subscription method information
List<SubscriberMethod> subscriberMethods = subscriberMethodFinder.findSubscriberMethods(subscriberClass);
synchronized (this) {
for (SubscriberMethod subscriberMethod : subscriberMethods) {
// subscribe
subscribe(subscriber, subscriberMethod);
}
}
}SubscriberMethod class , Subscription method information , It encapsulates the method object to respond (method), Which thread will the response subscription be in the future (threadMode), The event type of subscription (eventType), Priority of subscription priority, And whether to receive stickiness sticky The event boolean value .
public class SubscriberMethod {
final Method method;
final ThreadMode threadMode;
final Class<?> eventType;
final int priority;
final boolean sticky;
}Get subscription method information
List<SubscriberMethod> findSubscriberMethods(Class<?> subscriberClass) {
// Read from cache first
List<SubscriberMethod> subscriberMethods = METHOD_CACHE.get(subscriberClass);
if (subscriberMethods != null) {
return subscriberMethods;
}
// Whether to ignore the generated by the annotator MyEventBusIndex class
if (ignoreGeneratedIndex) {
// Use reflection to get the subscription method information in the subscription class
subscriberMethods = findUsingReflection(subscriberClass);
} else {
// Generated from the annotator MyEventBusIndex Class to get the subscription method information of the subscription class
subscriberMethods = findUsingInfo(subscriberClass);
}
// In obtaining subscriberMethods in the future ,
// If the subscriber does not exist @Subscribe Annotate and for public Subscription method of , An exception will be thrown .
if (subscriberMethods.isEmpty()) {
throw new EventBusException("Subscriber " + subscriberClass
+ " and its super classes have no public methods with the @Subscribe annotation");
} else {
// Save to cache map in
//METHOD_CACHE, It's a map aggregate , The key is class type
METHOD_CACHE.put(subscriberClass, subscriberMethods);
return subscriberMethods;
}
}Focus on getting subscription information through reflection : Get all the methods through reflection , Traversal methods , Gets the parameter type array of the method , Get the annotation information of the method
private List<SubscriberMethod> findUsingReflection(Class<?> subscriberClass) {
//FindState Used to check and save subscription methods
FindState findState = prepareFindState();
findState.initForSubscriber(subscriberClass);
while (findState.clazz != null) {
// Get subscription method information through reflection
findUsingReflectionInSingleClass(findState);
// Find the subscription method of the parent class
findState.moveToSuperclass();
}
// obtain findState Medium SubscriberMethod( That is, the subscription method List) And back to
return getMethodsAndRelease(findState);
}
private void findUsingReflectionInSingleClass(FindState findState) {
Method[] methods;
// Get the method array through reflection
try {
// This is faster than getMethods, especially when subscribers are fat classes like Activities
methods = findState.clazz.getDeclaredMethods();
} catch (Throwable th) {
// Workaround for java.lang.NoClassDefFoundError, see https://github.com/greenrobot/EventBus/issues/149
methods = findState.clazz.getMethods();
findState.skipSuperClasses = true;
}
// Traverse Method
for (Method method : methods) {
int modifiers = method.getModifiers();
if ((modifiers & Modifier.PUBLIC) != 0 && (modifiers & MODIFIERS_IGNORE) == 0) {
Class<?>[] parameterTypes = method.getParameterTypes();
// Ensure that there must be only one event parameter
if (parameterTypes.length == 1) {
// Get comments
Subscribe subscribeAnnotation = method.getAnnotation(Subscribe.class);
if (subscribeAnnotation != null) {
Class<?> eventType = parameterTypes[0];
// Verify that the method is added
if (findState.checkAdd(method, eventType)) {
ThreadMode threadMode = subscribeAnnotation.threadMode();
// Instantiation SubscriberMethod Object and add
findState.subscriberMethods.add(new SubscriberMethod(method, eventType, threadMode,
subscribeAnnotation.priority(), subscribeAnnotation.sticky()));
}
}
} else if (strictMethodVerification && method.isAnnotationPresent(Subscribe.class)) {
String methodName = method.getDeclaringClass().getName() + "." + method.getName();
throw new EventBusException("@Subscribe method " + methodName +
"must have exactly 1 parameter but has " + parameterTypes.length);
}
} else if (strictMethodVerification && method.isAnnotationPresent(Subscribe.class)) {
String methodName = method.getDeclaringClass().getName() + "." + method.getName();
throw new EventBusException(methodName +
" is a illegal @Subscribe method: must be public, non-static, and non-abstract");
}
}
}EventBus There are two very important map aggregate
// subscriptionsByEventType aggregate ,key Is the event type , value yes Subscription object , Contains two properties , One is subscriber subscriber ( Reflection execution object ), One SubscriberMethod Annotate all attribute parameter values of the method
private final Map<Class<?>, CopyOnWriteArrayList<Subscription>> subscriptionsByEventType;// typesBySubscriber aggregate key It's all subscribers ,value Is the parameter of the method in all subscribers class
private final Map<Object, List<Class<?>>> typesBySubscriber;Event distribution resolution , See sending events post(event) The implementation of the , In fact, that is
Traverse subscriptionsByEventType, Find the matching method and call the method method.invoke() perform , Pay attention to switching threads .
public void post(Object event) {
// Gets the current thread's postingState
PostingThreadState postingState = currentPostingThreadState.get();
// Get the event queue of the current thread
List<Object> eventQueue = postingState.eventQueue;
// Add this event to the current event queue for distribution
eventQueue.add(event);
if (!postingState.isPosting) {
// Determine whether it is in the main thread post
postingState.isMainThread = Looper.getMainLooper() == Looper.myLooper();
postingState.isPosting = true;
if (postingState.canceled) {
throw new EventBusException("Internal error. Abort state was not reset");
}
try {
while (!eventQueue.isEmpty()) {
// Distribute events
postSingleEvent(eventQueue.remove(0), postingState);
}
} finally {
postingState.isPosting = false;
postingState.isMainThread = false;
}
}
}Deregistration implementation :
public synchronized void unregister(Object subscriber) {
// Get the event types of all subscribers
List<Class<?>> subscribedTypes = typesBySubscriber.get(subscriber);
if (subscribedTypes != null) {
for (Class<?> eventType : subscribedTypes) {
// Remove subscribers from the subscriber collection of event types
unsubscribeByEventType(subscriber, eventType);
}
typesBySubscriber.remove(subscriber);
} else {
Log.w(TAG, "Subscriber to unregister was not registered before: " + subscriber.getClass());
}
}
private void unsubscribeByEventType(Object subscriber, Class<?> eventType) {
// Get all subscribers of the event type
List<Subscription> subscriptions = subscriptionsByEventType.get(eventType);
// Traverse subscriber collection , Remove the cancelled subscriber
if (subscriptions != null) {
int size = subscriptions.size();
for (int i = 0; i < size; i++) {
Subscription subscription = subscriptions.get(i);
if (subscription.subscriber == subscriber) {
subscription.active = false;
subscriptions.remove(i);
i--;
size--;
}
}
}
}To sum up EventBus How it works
Subscription logic
1. First use register() Method to register a subscriber
2. Methods to get all subscriptions of this subscriber
3. According to the event types of all subscriptions of this subscriber , Store subscribers to each event with event type key Take all subscribers as values Of map Collection
4. Then add the subscription event to the subscriber key Take all subscription events of subscribers as values Of map Collection
5. If it is a subscriber who has subscribed to sticky events , Get the previously sent sticky events from the sticky event buffer , Respond to these sticky events .
Event sending logic
1. First, get the event queue of the current thread
2. Add the event to be sent to the event queue
3. Get all subscribers according to the sending event type
4. According to the execution mode of the response method , Execute the subscriber's subscription method through reflection in the corresponding thread
Cancel logic
1. First, through unregister Method to get the subscriber to cancel
2. Get all subscription event types of the subscriber
3. Traversal event types , Get all subscriber sets according to each event type , And delete the subscriber from the collection
4. Take the subscriber from step 2 Remove from the set of
边栏推荐
- 深度学习之数据处理
- Slow database query optimization
- What kind of experience is it to realize real-time collaboration in jupyter
- equals()与hashCode()
- 【批處理DOS-CMD命令-匯總和小結】-字符串搜索、查找、篩選命令(find、findstr),Find和findstr的區別和辨析
- Fastdfs data migration operation record
- Part VI, STM32 pulse width modulation (PWM) programming
- Data processing of deep learning
- How do novices get started and learn PostgreSQL?
- 重上吹麻滩——段芝堂创始人翟立冬游记
猜你喜欢

How to judge whether an element in an array contains all attribute values of an object

Slam d'attention: un slam visuel monoculaire appris de l'attention humaine

Deep learning environment configuration jupyter notebook

Build your own website (17)

ZYNQ移植uCOSIII
![[HFCTF2020]BabyUpload session解析引擎](/img/db/6003129bc16f943ad9868561a2d5dc.png)
[HFCTF2020]BabyUpload session解析引擎

重上吹麻滩——段芝堂创始人翟立冬游记

.class文件的字节码结构

New feature of Oracle 19C: automatic DML redirection of ADG, enhanced read-write separation -- ADG_ REDIRECT_ DML

Threejs image deformation enlarge full screen animation JS special effect
随机推荐
Deep learning environment configuration jupyter notebook
【JokerのZYNQ7020】AXI_ EMC。
UI控件Telerik UI for WinForms新主题——VS2022启发式主题
浅谈测试开发怎么入门,如何提升?
以机房B级建设标准满足等保2.0三级要求 | 混合云基础设施
[牛客] [NOIP2015]跳石头
Attention SLAM:一种从人类注意中学习的视觉单目SLAM
Fastdfs data migration operation record
线段树(SegmentTree)
接口(接口相关含义,区别抽象类,接口回调)
Linear algebra of deep learning
[force buckle]41 Missing first positive number
[100 cases of JVM tuning practice] 04 - Method area tuning practice (Part 1)
「精致店主理人」青年创业孵化营·首期顺德场圆满结束!
城联优品入股浩柏国际进军国际资本市场,已完成第一步
【批處理DOS-CMD命令-匯總和小結】-字符串搜索、查找、篩選命令(find、findstr),Find和findstr的區別和辨析
Learn self 3D representation like ray tracing ego3rt
再聊聊我常用的15个数据源网站
深度学习之环境配置 jupyter notebook
ZYNQ移植uCOSIII