在上一节(应用层的AIDL调用)中我们介绍了应用层中的AIDL用法, 这一节中,我们来看一下系统Framework层中更为普通的AIDL用法。
为了便于分析,我们挑选了ITelephonyRegistry这个SystemService进行分析。这个服务的主要作用就是对通话相关的事件进行监听,我们把重心放在AIDL的实现结构上,不去关注ITelephonyRegistry具体的实现。
先来看一下这个服务的AIDL文件:
@ITelephonyRegistry.aidl interface ITelephonyRegistry { void listen(String pkg, IPhoneStateListener callback, int events, boolean notifyNow); void notifyCallState(int state, String incomingNumber); void notifyServiceState(in ServiceState state); void notifySignalStrength(in SignalStrength signalStrength); void notifyMessageWaitingChanged(boolean mwi); }再来看这个服务的真正实现:
@TelephonyRegistry.java class TelephonyRegistry extends ITelephonyRegistry.Stub { TelephonyRegistry(Context context) { ...... } void listen(String pkg, IPhoneStateListener callback, int events, boolean notifyNow){ ...... } void notifyCallState(int state, String incomingNumber){ ...... } void notifyServiceState(in ServiceState state){ ...... } void notifySignalStrength(in SignalStrength signalStrength){ ...... } void notifyMessageWaitingChanged(boolean mwi){ ...... } }
上面的两个文件是这个服务的核心部分,aidl文件规定了这个服务的功能,而java文件是对功能的具体实现。但是,此时的TelephonyRegistry并没有继承Service的类,也就是说,当前他并不具备作为一个Service的资格。那么他是如何变成一个服务的呢?
@SystemServer.java class ServerThread extends Thread { @Override public void run() { try { telephonyRegistry = new TelephonyRegistry(context); ServiceManager.addService("telephony.registry", telephonyRegistry); } } }我们看到,在这一步中, 把telephonyRegistry对象(也就是ITelephonyRegistry.Stub的子类对象)作为一个Service注册给了ServiceManager。并且注册的名字是“telephony.registry”
那么接下来,我们怎么得到这个Service呢?
private ITelephonyRegistry sRegistry; sRegistry = ITelephonyRegistry.Stub.asInterface(ServiceManager.getService("telephony.registry"));
通过这样的方法,我们就得到了ITelephonyRegistry.aidl的对象sRegistry。