EventBus在3.0及以上版本中加入了以APT(Annotation Processing Tool)实现的方式,但他还是保留了之前反射的实现方式。下面将展示两种实现方式使用上的区别。
一、反射的方式
implementation("org.greenrobot:eventbus:3.3.1")
和之前版本一样,build.gradle文件中只引入eventbus依赖即可。
二、APT 注解处理器的方式
需要在build.gradle文件中写入以下内容:
- android {
-
- defaultConfig {
- ......
-
- javaCompileOptions {
- annotationProcessorOptions {
- //com.example.view:你的包名
- //MyEventBusIndex:EventBus注解处理器生成类的类名(可自定义)
- arguments = [ eventBusIndex : 'com.example.view.MyEventBusIndex' ]
- }
- }
- }
- }
-
- dependencies {
- implementation("org.greenrobot:eventbus:3.3.1")
- //EventBus的注解处理器
- annotationProcessor "org.greenrobot:eventbus-annotation-processor:3.3.1"
- }
以Activity中的使用方式举例:
- public class MainActivity extends AppCompatActivity {
-
- @Override
- protected void onCreate(Bundle savedInstanceState) {
- super.onCreate(savedInstanceState);
- setContentView(R.layout.activity_main);
-
- EventBus.getDefault().register(this);
-
- }
-
- /**
- * threadMode:线程模式,在哪个线程执行这个onEvent()方法
- * sticky:是否是粘性事件
- * priority:优先级,值越大优先级越高
- */
- @Subscribe(threadMode = ThreadMode.MAIN,sticky = true,priority = 5)
- public void onEvent(String a){
-
- }
-
-
- @Override
- protected void onDestroy() {
- super.onDestroy();
- if (EventBus.getDefault().isRegistered(this)){
- EventBus.getDefault().unregister(this);
- }
- }
- }
然后点击Android studio工具栏的build中的Make Moudle,使得EventBus生成一个索引类(上面build.gradle中定义的类名)。这里需要注意的是一定要至少定义一个@Subscribe注解修饰的方法之后再构建moudle,否则不会生成索引类。因为索引类的主要作用就是记录@Subscribe注解修饰的方法。
随后在Application中调用以下方法:
- public class MyApp extends Application {
- @Override
- public void onCreate() {
- super.onCreate();
- EventBus eventBus = EventBus.builder().addIndex(new MyEventBusIndex()).build();
- }
- }
到此,就可以以APT的实现方式使用EventBus了。不了解APT的同学可以去自行了解一下,其引入APT替代反射方式的目的主要是为了优化使用反射带来的性能消耗。
接下来本系列文章将按照方法的调用顺序来进行源码分析:
- 1. EventBus eventBus = EventBus.builder().addIndex(new MyEventBusIndex()).build();
-
- 2. EventBus.getDefault().register(this);
-
- 3. EventBus.getDefault().post("");
-
- 4. EventBus.getDefault().unregister(this);