Android 开发经验集Android知识Android开发经验谈

【Android】远程服务(Remote Service)的使用

2016-08-03  本文已影响6914人  紫豪

1.远程服务简介

在Android中,不同的应用属于不同的进程(Process),一个进程不能访问其它进程的存储(可以通过ContentProvider实现,如:通讯录的读取)。


2.远程服务的创建

package com.zihao.remoteservice.server;
interface IMyAidlInterface {
  String getMessage();
}

注:如果服务端与客户端不在同一App上,需要在客户端、服务端两侧都建立该aidl文件。

// 远程服务示例
public class RemoteService extends Service {
  
  public RemoteService() {
  }
  
  @Override
  public IBinder onBind(Intent intent) {
    return stub;// 在客户端连接服务端时,Stub通过ServiceConnection传递到客户端
  }
  
  // 实现接口中暴露给客户端的Stub--Stub继承自Binder,它实现了IBinder接口
  private IMyAidlInterface.Stub stub = new IMyAidlInterface.Stub(){
  
    // 实现了AIDL文件中定义的方法
    @Override
    public String getMessage() throws RemoteException {
      // 在这里我们只是用来模拟调用效果,因此随便反馈值给客户端
      return "Remote Service方法调用成功";        
    }    
  };
  
}

同时,在AndroidManifest.xml中对Remote Service进行如下配置:

<service
  android:name=".RemoteService"
  android:process="com.test.remote.msg">
  <intent-filter>
    <action android:name="com.zihao.remoteservice.RemoteService"/>
  </intent-filter>
</service>

如果客户端与服务端在同个App中,AndroidManifest.xml中设置Remote Service的andorid:process属性时,如果被设置的进程名是以一个冒号(:)开头的,则这个新的进程对于这个应用来说是私有的,当它被需要或者这个服务需要在新进程中运行的时候,这个新进程将会被创建。如果这个进程的名字是以小写字符开头的,则这个服务将运行在一个以这个名字命名的全局的进程中,当然前提是它有相应的权限。这将允许在不同应用中的各种组件可以共享一个进程,从而减少资源的占用。


3.客户端调用远程服务接口

在客户端中建立与Remote Service的连接,获取Stub,然后调用Remote Service提供的方法来获取对应数据。

public class MainActivity extends AppCompatActivity {
  
  private IMyAidlInterface iMyAidlInterface;// 定义接口变量
  private ServiceConnection connection;
  
  @Override
  protected void onCreate(Bundle savedInstanceState) {
    super.onCreate(savedInstanceState); 
    setContentView(R.layout.activity_main);
    bindRemoteService();
  }
  
  private void bindRemoteService() {
    Intent intentService = new Intent();
    intentService.setClassName(this,"com.zihao.remoteservice.RemoteService");
  
    connection = new ServiceConnection() {
      @Override
      public void onServiceConnected(ComponentName componentName,IBinder iBinder) {
        // 从连接中获取Stub对象
        iMyAidlInterface = IMyAidlInterface.Stub.asInterface(iBinder);
        // 调用Remote Service提供的方法
        try {
          Log.d("MainActivity", "获取到消息:" + iMyAidlInterface.getMessage()); 
        } catch (RemoteException e) {
          e.printStackTrace();
        } 
      } 
  
      @Override
      public void onServiceDisconnected(ComponentName componentName) {
        // 断开连接
        iMyAidlInterface = null;
      }
    }; 
  
    bindService(intentService, connection, Context.BIND_AUTO_CREATE);
  } 
  
  @Override
  protected void onDestroy() {
    super.onDestroy(); 
    if (connection != null)
      unbindService(connection);// 解除绑定
  }
}
log.png 通信示意图.png

4.拓展阅读

Android:关于声明文件中android:process属性说明
【Android】Service那点事儿
【Android】Service前台服务的使用

上一篇下一篇

猜你喜欢

热点阅读