最近在群里经常听到关于EventBus,于是也准备学习学习。
在学习EventBus之前,我们应该知道这几点:
什么是EventBus,EventBus是一个Android端优化的publish/subscribe消息总线,简化了应用程序内各组件间、组件与后台线程间的通信。比如请求网络,等网络返回时通过Handler或Broadcast通知UI,两个Fragment之间需要通过Listener通信,这些需求都可以通过EventBus现。说人话了,哈哈,就是替代Intent,Handler,BroadCast在Fragment,Activity,Service,线程之间传递消息.
为什么使用EventBus,在EventBus在上面最后一句提到了,功能大大的,帮助我们实现代码的解耦、开销小、让代码写的更优雅,更舒服。
怎么使用EventBus。怎么使用的话,OK,开代码。
EventBus.getDefault().register(this);
这个方法一般我们在onCre使用ate()方法中调用,是用来注册,主要的作用是找到该类,遍历其中所有以onEvent开头的方法,然后进行存储。
其实,EventBus.getDefault()是一个单例,并且还有多重判断,阻止了并发的问题,大家查看源码可以知道。
EventBus.getDefault().unregister(this);
解除注册,一般都是在onDestory()方法调用
EventBus.getDefault().post();
注册之后就要开始调用咯,当调用这个方法的时候,EventBus会在内部进行扫描,最后使用反射调用
注意事项
如果一个类注册了EventBus,一定要在该类中有onEvent开头的方法,否则会报如下错误
java.lang.RuntimeException: Unable to start activity ComponentInfo{com.lw.eventbustest/com.lw.eventbustest.SecondActivity}: de.greenrobot.event.EventBusException: Subscriber class com.lw.eventbustest.SecondActivity has no public methods called onEvent
知道了上面的三个方法,我们就可以完成一个简单的EventBusDemo了。
主Activity:
onCreate():完成注册,并且在该类中搜索以onEvent开头的方法并且加入EventBus
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
mEb = EventBus.getDefault();
//开始注册
mEb.register(this) ;
mIv = (ImageView) findViewById(R.id.iv);
}
要被加入EventBus的方法
public void onEventMainThread(Event event){
//设置图片显示
if(event.isShow()){
mIv.setVisibility(View.VISIBLE);
}
}
解除注册:
@Override
protected void onDestroy() {
super.onDestroy();
//接触注册
mEb.unregister(this) ;
}
第二个Activity:前面分析过了,就不分析了
public class SecondActivity extends Activity{
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_second) ;
EventBus.getDefault().register(this);
findViewById(R.id.btn).setOnClickListener(new OnClickListener() {
@Override
public void onClick(View v) {
EventBus.getDefault().post(new Event(true)) ;
}
}) ;
}
public void onEventMainThread(Event event){
Toast.makeText(SecondActivity.this, "hello EventBus", 1).show() ;
}
@Override
protected void onDestroy() {
super.onDestroy();
EventBus.getDefault().unregister(this);
}
}
事件类:主要是在EventBus.getDefault().post()时的参数类型
public class Event {
//控制图片是否显示
private boolean isShow ;
public boolean isShow() {
return isShow;
}
public Event(boolean isShow) {
super();
this.isShow = isShow;
}
}