BroadcastReceiver--广播接受者,用来接收Android系统的广播,其生命周期只有一个onReceive方法(相对于Activity和Service少多了)。
注册BroadcastReceiver方法有两种:静态注册和动态注册。
BroadcastReceiver类的源码:
public class Ser extends BroadcastReceiver{
@Override
public void onReceive(Context context, Intent intent) {
//这里可以接收广播Intent对象
}
}
静态注册:如果程序关闭后,依然可以接收到广播
BroadcastReceiver的静态注册和Activity,Service在Manifest.XML文件中的注册是一样的。XML文件注册如下:
<receiver android:name=".Test">
<intent-filter>
<action android:name="android.intent.action.BROADCAST"/>
<category android:name="android.intent.category.DEFAULT" />
</intent-filter>
</receiver>
动态注册:广播的生命周期跟程序的生命周期一样
public class Test extends Activity{
Ser ser=new Ser();
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.test);
}
public void register(){
IntentFilter filter = new IntentFilter();
filter.addAction("android.intent.action.BROADCAST");//设置Intent对象的Action
registerReceiver(ser,filter);//注册
}
public void unRegister(){
super.onDestroy();
unregisterReceiver(ser);//解除注册
}
}
说完静态注册和动态注册后,再说一下发送广播,发送的广播分为普通广播和有序广播。
普通广播,BroadcastReceiver不能使用abortBroadcast方法来拒绝接受。
发送普通广播的代码如下:
public void send(){
Intent intent = new Intent("android.intent.action.BROADCAST");
intent.putExtra("msg", "hello");
sendBroadcast(intent);
}
在使用有序广播的时候,我们必须在注册BroadcastReceiver对象的时候设置其优先级,具体如下:
<receiver android:name=".Test">
<intent-filter android:priority="10" >
<action android:name="android.intent.action.BROADCAST"/>
<category android:name="android.intent.category.DEFAULT" />
</intent-filter>
</receiver>
<receiver android:name=".Ser1">
<intent-filter android:priority="9" >
<action android:name="android.intent.action.BROADCAST"/>
<category android:name="android.intent.category.DEFAULT" />
</intent-filter>
</receiver>
然后发送有序广播的代码如下:
public void send(){
Intent intent = new Intent("android.intent.action.BROADCAST");
intent.putExtra("msg", "hello");
sendOrderedBroadcast(intent,null);
}
有序广播调用
abortBroadcast方法后,就可以停止向低优先级的BroadcastReceiver对象发送广播。