您的位置:首页 > 大数据 > 人工智能

aidl的使用简介

2016-02-22 17:07 483 查看
转载请注明出处 http://blog.csdn.net/u012308861/article/details/50717977 IrisPanda的博客

在Android系统中,有很多进程,一个进程中包含若干个Activity和Service。那么不同进程里的Activity和Service怎么通信呢?Android提供了一种解决方案,也就是Binder。Binder就是用来进程间通信的。

为了方便使用Binder进行跨进程通信,android提供了aidl这种解决方法。本文主要介绍aidl的使用。

客户端代码:

private ISizeAidlInterface sizeInterface;
private ServiceConnection connection = new ServiceConnection() {
@Override
public void onServiceConnected(ComponentName name, IBinder service) {
sizeInterface = ISizeInterface.Stub.asInterface(service);   //asInterface根据是否跨进程来返回本地对象或代理对象。

}

@Override
public void onServiceDisconnected(ComponentName name) {

}
};

//启动Service
private void bind() {
Intent intent = new Intent(this, SizeService.class);
bindService(intent, connection, BIND_AUTO_CREATE);
}


那么这个Ibinder对象是怎么来的呢?传入在这里:

public class SizeService extends Service{
private SizeImpl binder = new SizeImpl();//binder具体服务端实现类

@Nullable
@Override
public IBinder onBind(Intent intent) {

return binder;//这里就是onServiceConnected接受到的Ibinder!
}
}


真正的Binder对象,实现了需要通信的接口

public class SizeImpl extends ISizeAidlInterface.Stub {
int size;

@Override
public void setSize(int size) throws RemoteException {
this.size = size;
}

@Override
public int getSize() throws RemoteException {
return size;
}
}


ISizeAidlInterface.aidl文件:

interface ISizeAidlInterface{
void setSize(int size);
int getSize();
}


上一张潦草的这几个类的关系图(只可意会)



可以看到他们的关系几乎是线性的,其中有几个关键点需要知道:

1、首先我们会自己写一个aidl的类,就是图中的interface ISizeInterface类,

然后编译后会自动生成一个同名的java文件。这个过程就是图中标号为0的过程,这个文件先在这放着。

2、onServiceConnected接受到的Ibinder对象到底是什么?

根据关系图,很清晰明了,Ibinder首先是在Service中返回的SizeImpl对象,SizeImpl就是Binder的具体实现类。看到Stub类了吧,它是aidl自动生成的,既是一个Binder,又实现了ISizeInterface接口。好吧,我们在客户端中想要的就是它!所以它本质上就是我们想要的ISizeInterface类。但是这里不能强转类型,因为我们现在是在跨进程调用,所以需要用到代码:

ISizeAidlInterface sizeInterface =ISizeInterface.Stub.asInterface(service);

通过asInterface方法,可以判断service是不是跨进程,从而返回本地的IBinder对象,或者是可供远程调用的Proxy对象。

下一篇分析一下aidl自动生成的java代码。
内容来自用户分享和网络整理,不保证内容的准确性,如有侵权内容,可联系管理员处理 点击这里给我发消息
标签:  aidl Binder 进程通信