EventBus通过发布/订阅模式来实现组件间的通信。
他相比与广播更加轻量,更适合应用内的通信,广播更适合与Android系统交互以及跨进程的通信。
使用
在app下的build.gradle下引入依赖
implementation 'org.greenrobot:eventbus:3.1.1'
事件传递对象
public class Person {
private String name;
private int age;
public Person(String name, int age) {
this.name = name;
this.age = age;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public int getAge() {
return age;
}
public void setAge(int age) {
this.age = age;
}
}
在需要接受消息的组件的生命周期中做注册和解绑,并用注解Subscribe标注需要接受消息的方法上,并且这个方法的参数必须和post过来消息的内容一样才会接收到。threadMode标注消息处理方法receiveMessage的执行是在主线程还是子线程。
这个接受消息的方法必须是public,不能用static, abstract修饰,有且只有一个参数,必须用Subscribe注解标注。
public class TestActivity extends AppCompatActivity {
@Override
protected void onCreate() {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_view);
EventBus.getDefault().register(this);
}
@Override
protected void onDestroy() {
super.onDestroy();
EventBus.getDefault().unregister(this);
}
@Subscribe(threadMode = ThreadMode.MAIN)
public void receiveMessage(Person person) {
System.out.println("人名:" + person.getName()+";年龄:"+person.getAge() +" - 线程名:"+Thread.currentThread().getName());
}
}
发送事件
EventBus.getDefault().post(new Person("小明", 14));//发送普通事件,如果没注册的组件就不会收到,消息发送后注册了也不会收到
EventBus.getDefault().postSticky(new Person("小明", 14));//发送粘性事件,组件注册完EventBus会收到在注册之前发出的粘性事件
实现原理
注册的时候通过Java反射获取到该组件的所有方法,并筛选出被Subscribe标注的方法,将Method,threadMode等封装成一个类存入List,再将这个List存入Map,解绑的时候从Map中清除这个List。当post发送消息的时候,遍历Map下的每个List,筛选出符合要求的方法,通过反射去执行。这个反射执行的过程,如果threadMode指定主线程,那么post发送是在子线程就会通过handler发送到主线程来invoke,如果post发送本来就是在主线程,就直接invoke;如果threadMode指定子线程,那么post发送是在子线程就直接invoke,如果post发送是在主线程,就会丢入到线程池中去执行invoke。