当前位置:网站首页>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
边栏推荐
- Dell笔记本周期性闪屏故障
- Learning notes 5: ram and ROM
- 【软件逆向-求解flag】内存获取、逆变换操作、线性变换、约束求解
- Advanced learning of MySQL -- basics -- multi table query -- inner join
- New feature of Oracle 19C: automatic DML redirection of ADG, enhanced read-write separation -- ADG_ REDIRECT_ DML
- Alexnet experiment encounters: loss Nan, train ACC 0.100, test ACC 0.100
- alexnet实验偶遇:loss nan, train acc 0.100, test acc 0.100情况
- [software reverse automation] complete collection of reverse tools
- Data sharing of the 835 postgraduate entrance examination of software engineering in Hainan University in 23
- Let's talk about 15 data source websites I often use
猜你喜欢
Explain in detail the matrix normalization function normalize() of OpenCV [norm or value range of the scoped matrix (normalization)], and attach norm_ Example code in the case of minmax
学习使用代码生成美观的接口文档!!!
[yolov5 6.0 | 6.1 deploy tensorrt to torch serve] environment construction | model transformation | engine model deployment (detailed packet file writing method)
城联优品入股浩柏国际进军国际资本市场,已完成第一步
【YoloV5 6.0|6.1 部署 TensorRT到torchserve】环境搭建|模型转换|engine模型部署(详细的packet文件编写方法)
BFS realizes breadth first traversal of adjacency matrix (with examples)
Dell筆記本周期性閃屏故障
Summary of being a microservice R & D Engineer in the past year
pyflink的安装和测试
Equals() and hashcode()
随机推荐
浅谈测试开发怎么入门,如何提升?
Telerik UI 2022 R2 SP1 Retail-Not Crack
Learn to use code to generate beautiful interface documents!!!
城联优品入股浩柏国际进军国际资本市场,已完成第一步
New feature of Oracle 19C: automatic DML redirection of ADG, enhanced read-write separation -- ADG_ REDIRECT_ DML
Address information parsing in one line of code
ZYNQ移植uCOSIII
Explain in detail the implementation of call, apply and bind in JS (source code implementation)
[C language] dynamic address book
Mongodb client operation (mongorepository)
In rails, when the resource creation operation fails and render: new is called, why must the URL be changed to the index URL of the resource?
Part 7: STM32 serial communication programming
深度学习之环境配置 jupyter notebook
alexnet实验偶遇:loss nan, train acc 0.100, test acc 0.100情况
Advantages and disadvantages of code cloning
Installation and testing of pyflink
Deep learning environment configuration jupyter notebook
学习光线跟踪一样的自3D表征Ego3RT
Configuring OSPF basic functions for Huawei devices
C Primer Plus Chapter 14 (structure and other data forms)