AIDL是一种接口定义语言,用于生成可在Android设备上两个进程之间进行进程间通信(IPC)的代码。
AIDL的使用
- 新建一个aidl文件,定义进程间通信的接口
// IStudentManager.aidl
package com.tellh.androidart;
// Declare any non-default types here with import statements
import com.tellh.androidart.Student;
interface IStudentManager {
List<Student> getStudent();
void addStudent(in Student student);
}
注意点:
- aidl中支持的参数类型为:基本类型(int,long,char,boolean等),String,CharSequence,List,Map,其他类型必须使用import导入,即使它们可能在同一个包里。
接口中的参数除了aidl支持的类型,其他类型必须标识其方向:到底是输入还是输出抑或两者兼之,用in,out或者inout来表示。
- 如果有自定义的数据类型,需要把自定义类实现Parcelable接口并新建aidl声明文件。
// Student.aidl
package tellh.com.androidart;
parcelable Student;
public class Student implements Parcelable {
...}
点击sycn project,对应的接口java类就被自动生成在gen目录中。
- 创建服务端的Service,运行在服务端进程
public class AidlTestService extends Service {
private final static String TAG = "AidlTestService";
private static final String PACKAGE_CLIENT = "com.example.test.aidlclient&&com.tellh.androidart";
private final List<Student> mStudents = new ArrayList<>();
private IBinder mBinder = new IStudentManager.Stub() {
@Override
public List<Student> getStudent() throws RemoteException {
synchronized (mStudents) {
return mStudents;
}
}
@Override
public void addStudent(Student student) throws RemoteException {
synchronized (mStudents) {
if (!mStudents.contains(student))
mStudents.add(student);
}
}