Android LocalBroadcast跨进程

Android LocalBroadcast跨进程

首先这里讲的LocalBroadcast不是通过LocalBroadcastManger发送的广播,这里的跨进程是指应用内跨进程,例如我们有一个跨进程的服务:

    <service android:name=".service.CoreService"
        android:exported="false" android:process=":core">

那么这个服务如何和UI的主进程通信?
如果我们的UI进程有一个服务,那我们可以通过AIDL互相bindService来传递消息,或者startService发送Intent通信,如果UI进程没有服务,也可以使用Broadcast通知主进程:

    <receiver
        android:name=".NotifyReceiver"
        android:enabled="true"
        android:exported="true">
      <intent-filter>
        <action android:name="com.xfdsj.aidl.push"/>
      intent-filter>
    receiver>
    sendBroadcast(new Intent("com.xfdsj.aidl.push"));

但是当应用不在系统白名单的时候(例如MIUI),你会发现通过上面的方法会被系统拦截,因为Intent中的action意图被系统过滤掉了,所以这种方式不可行。这里LocalBroadcast就可以上场了:

    <receiver
        android:name=".receiver.NotifyReceiver" android:exported="false">
    receiver>
    sendBroadcast(new Intent(this, NotifyReceiver.class));

    Intent intent = new Intent();
    intent.setComponent(new ComponentName("com.xfdsj.aidl", "com.xfdsj.aidl.receiver.NotifyReceiver"));
    sendBroadcast(intent);

指定NotifyReceiver组件,再去发广播就不会被系统白名单过滤掉,如果需要action和data可以直接在Intent中设置。

你可能感兴趣的:(Android)