Android Service Test——service

  Android已经提供了一个用于测试service的框架,该测试类即为ServiceTestCase。在对service进行设计的时候就需要考虑到自己的测试用例要测试到service生命周期中的各种状态,当然对service的测试离不开ServiceTestCase中的各种方法。

      首先了解一下Service的继承关系,如下图所示,当然还有许多类继承了Service类,如AbstractInputMethodService, AccessibilityService, IntentService, RecognitionService, WallpaperService等。



       但是Service到底是用来做什么的?简单来讲Service 用于两种情况:第一种就是在后台完成一系列可能非常耗时的操作,但并不和用户进行交互。比如说我们用手机播放音乐或者传输数据,但同时我们还想干点别的事情,比如看看电子书等,这时就可以将播放音乐或者传输数据等以Service的方式在后台完成,但是并不影响我们看电子书。第二种就是为其他的程序提供一些功能,这种情况下可能会和这些程序保持一种长时间的交互。

       在Android中使用Service必须要注意以下几点:
       1.每个Service都必须在AndroidManifest.xml中进行声明,一般格式为<service android:enabled="true" android:name=".ServiceName"/>
       2.Service并不是运行在一个独立的进程中,而是运行在程序的主进程中,因此如果Service要处理消耗CPU的工作就应该自己创建一个线程来完成,否则可能会导致程序没有响应。

      下面来看一下Service的生命周期。要启动Service有两种方法,分别是Contex.startService(),这种情况下可以调用Context.stopService()来结束服务;另外一种方法是Context.bindService(),这种情况下要调用Context.unbindService()来结束服务,并且多个客户程序都可以bind同一个服务。这两种方法并不是独立的,例如我们可以使用startService()来启动一个在后台播放音乐的服务,这可以通过一个Intent对象来实现,但是当我们想控制音乐的播放或者获取当前歌曲的信息时就需要使用一个Activity通过bindService()方法来同Service建立联系,当一个Service有程序bind的时候即使调用stopService()方法也不会停止服务。具体的生命周期如下图所示:



     
     对于service可以通过在生命周期的方法来监视服务的状态,通过startService()方面启动的服务主要有3个pulbic方法可以实现,其中onStart()方法是其所独有的:
             void onCreate() 
             void onStart(Intent intent) 
             void onDestroy()
     通过bindService()方法启动的服务则可以通过3个额外的方法来监视其状态,分别是:
              IBinder onBind(Intent intent) 
              boolean onUnbind(Intent intent) 
              void onRebind(Intent intent)
     要终止服务可以通过stopService()或者stopSelf()方法,需要注意的是不管服务启动了多少次,一旦调用了这两个方法都会终止服务的运行。
   
 在网上搜了半天,发现关于ServiceTestCase的文章少得可怜,而在SDK中也只有少量的说明,还是自己总结研究一下吧,以下内容大部分出自SDK,外加自己的理解,可能会有理解错误的地方。
      根据SDK中的说明画了一个类的继承图如下:



       从图中可以看出ServiceTestCase继承了JUnit的TestCase类,因此可以可以在测试中控制程序和服务进行测试工作。另外还可以提供mock application和Context将服务独立系统,这点非常重要,应该可以消除服务对外部的依赖,但还需要进行进一步的研究才能确定。

       对于ServiceTestCase有一下几点需要注意:

       1.ServiceTestCase.startService()和ServiceTestCase.bindService()这两个方法负责完成测试环境的初始化工作,其中包括mock objects,然后启动服务。

       2.ServiceTestCase.bindService()和Service.bindService()方法的不同之处在于其返回值的类型:
                ServiceTestCase.bindService()——>Intent
                Service.bindService()——>IBinder object

      3.同其余的测试一样,ServiceTestCase也在每次测试的时候调用setUp()方法,该方法会通过复制当前的系统Context来建立测试平台,通过调用getSystemContext()方法可以获得此Context。如果要重写这个方法,则第一句必须为super.setUp()。

     4.setApplication()和setContext(Context)可以在启动服务前设定mock Context和mock Application。

     5.在运行前,ServiceTestCase会默认地运行testAndroidTestCaseSetupProperly()方法来确定测试类正确地搭建好了Context

     那么对于Service进行测试到底要测什么呢?在SDK中所提到的主要有以下几个方面:
     
     1.调用Context.startService()或者Context.bindService()后要确定onCreate()方法被正确地调用;同样,当调用Context.stopService(), Context.unbindService(), stopSelf()或者 stopSelfResult()等方法时要确定onDestroy()方法被正确地调用。
  
     2.服务能够正确地处理Context.startService()的多次调用,只有第一次调用才会触发Service.onCreate()方法,但是每次都会调用Service.onStartCommand()方法。还要注意的是startService()不会嵌套调用,因此对Context.stopService()或者 Service.stopSelf() ( stopSelf(int)不再此列)的一次调用就应该能够终止服务。

     3.测试服务在实现上的逻辑正确性。

      以上都是些理论上的东西,下篇文章结合例子从头完成对一个服务的测试。下面附上ServiceTestCase类的源代码,以供参考。

       
  1. /**
  2.  * Copyright (C) 2008 The Android Open Source Project
  3.  *
  4.  * Licensed under the Apache License, Version 2.0 (the "License");
  5.  * you may not use this file except in compliance with the License.
  6.  * You may obtain a copy of the License at
  7.  *
  8.  * http://www.apache.org/licenses/LICENSE-2.0
  9.  *
  10.  * Unless required by applicable law or agreed to in writing, software
  11.  * distributed under the License is distributed on an "AS IS" BASIS,
  12.  * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
  13.  * See the License for the specific language governing permissions and
  14.  * limitations under the License.
  15.  */

  16. package android.test;

  17. import android.app.Application;
  18. import android.app.Service;
  19. import android.content.ComponentName;
  20. import android.content.Context;
  21. import android.content.Intent;
  22. import android.os.IBinder;
  23. import android.os.RemoteException;
  24. import android.test.mock.MockApplication;

  25. import java.lang.reflect.Field;
  26. import java.util.Random;

  27. /***
  28.  * This test case provides a framework in which you can test Service classes in
  29.  * a controlled environment. It provides basic support for the lifecycle of a
  30.  * Service, and hooks by which you can inject various dependencies and control
  31.  * the environment in which your Service is tested.
  32.  *
  33.  * <p><b>Lifecycle Support.</b>
  34.  * Every Service is designed to be accessed within a specific sequence of
  35.  * calls. <insert link to Service lifecycle doc here>. 
  36.  * In order to support the lifecycle of a Service, this test case will make the
  37.  * following calls at the following times.
  38.  *
  39.  * <ul>
  40. The test case will not call onCreate() until your test calls 
  41.  * {@link #startService} or {@link #bindService}. This gives you a chance
  42.  * to set up or adjust any additional framework or test logic before
  43.  * onCreate().
  44.  *
  45. When your test calls {@link #startService} or {@link #bindService}
  46.  * the test case will call onCreate(), and then call the corresponding entry point in your service.
  47.  * It will record any parameters or other support values necessary to support the lifecycle.
  48.  *
  49. After your test completes, the test case {@link #tearDown} function is
  50.  * automatically called, and it will stop and destroy your service with the appropriate
  51.  * calls (depending on how your test invoked the service.)
  52.  * </ul>
  53.  * 
  54.  * <p><b>Dependency Injection.</b>
  55.  * Every service has two inherent dependencies, the {@link android.content.Context Context} in
  56.  * which it runs, and the {@link android.app.Application Application} with which it is associated.
  57.  * This framework allows you to inject modified, mock, or isolated replacements for these 
  58.  * dependencies, and thus perform a true unit test.
  59.  * 
  60.  * <p>If simply run your tests as-is, your Service will be injected with a fully-functional
  61.  * Context, and a generic {@link android.test.mock.MockApplication MockApplication} object.
  62.  * You can create and inject alternatives to either of these by calling 
  63.  * {@link AndroidTestCase#setContext(Context) setContext()} or 
  64.  * {@link #setApplication setApplication()}. You must do this <i>before</i> calling
  65.  * startService() or bindService(). The test framework provides a
  66.  * number of alternatives for Context, including {link android.test.mock.MockContext MockContext}, 
  67.  * {@link android.test.RenamingDelegatingContext RenamingDelegatingContext}, and 
  68.  * {@link android.content.ContextWrapper ContextWrapper}.
  69.  */
  70. public abstract class ServiceTestCase<extends Service> extends AndroidTestCase {

  71.     Class<T> mServiceClass;

  72.     private Context mSystemContext;
  73.     private Application mApplication;

  74.     public ServiceTestCase(Class<T> serviceClass) {
  75.         mServiceClass = serviceClass;
  76.     }

  77.     private T mService;
  78.     private boolean mServiceAttached = false;
  79.     private boolean mServiceCreated = false;
  80.     private boolean mServiceStarted = false;
  81.     private boolean mServiceBound = false;
  82.     private Intent mServiceIntent = null;
  83.     private int mServiceId;

  84.     /***
  85.      * @return Returns the actual service under test.
  86.      */
  87.     public T getService() {
  88.         return mService;
  89.     }

  90.     /***
  91.      * This will do the work to instantiate the Service under test. After this, your test 
  92.      * code must also start and stop the service.
  93.      */
  94.     @Override
  95.     protected void setUp() throws Exception {
  96.         super.setUp();
  97.         
  98.         // get the real context, before the individual tests have a chance to muck with it
  99.         mSystemContext = getContext();

  100.     }
  101.     
  102.     /***
  103.      * Create the service under test and attach all injected dependencies (Context, Application) to
  104.      * it. This will be called automatically by {@link #startService} or by {@link #bindService}.
  105.      * If you wish to call {@link AndroidTestCase#setContext(Context) setContext()} or 
  106.      * {@link #setApplication setApplication()}, you must do so before calling this function.
  107.      */
  108.     protected void setupService() {
  109.         mService = null;
  110.         try {
  111.             mService = mServiceClass.newInstance();
  112.         } catch (Exception e) {
  113.             assertNotNull(mService);
  114.         }
  115.         if (getApplication() == null) {
  116.             setApplication(new MockApplication());
  117.         }
  118.         mService.attach(
  119.                 getContext(),
  120.                 null, // ActivityThread not actually used in Service
  121.                 mServiceClass.getName(),
  122.                 null, // token not needed when not talking with the activity manager
  123.                 getApplication(),
  124.                 null // mocked services don't talk with the activity manager
  125.                 );
  126.         
  127.         assertNotNull(mService);
  128.         
  129.         mServiceId = new Random().nextInt();
  130.         mServiceAttached = true;
  131.     }
  132.     
  133.     /***
  134.      * Start the service under test, in the same way as if it was started by
  135.      * {@link android.content.Context#startService Context.startService()}, providing the 
  136.      * arguments it supplied. If you use this method to start the service, it will automatically
  137.      * be stopped by {@link #tearDown}.
  138.      * 
  139.      * @param intent The Intent as if supplied to {@link android.content.Context#startService}.
  140.      */
  141.     protected void startService(Intent intent) {
  142.         assertFalse(mServiceStarted);
  143.         assertFalse(mServiceBound);
  144.         
  145.         if (!mServiceAttached) {
  146.             setupService();
  147.         }
  148.         assertNotNull(mService);
  149.         
  150.         if (!mServiceCreated) {
  151.             mService.onCreate();
  152.             mServiceCreated = true;
  153.         }
  154.         mService.onStart(intent, mServiceId);
  155.         
  156.         mServiceStarted = true;
  157.     }
  158.     
  159.     /***
  160.      * Start the service under test, in the same way as if it was started by
  161.      * {@link android.content.Context#bindService Context.bindService()}, providing the 
  162.      * arguments it supplied.
  163.      * 
  164.      * Return the communication channel to the service. May return null if 
  165.      * clients can not bind to the service. The returned
  166.      * {@link android.os.IBinder} is usually for a complex interface
  167.      * that has been <a href="{@docRoot}guide/developing/tools/aidl.html">described using
  168.      * aidl. 
  169.      * 
  170.      * Note: In order to test with this interface, your service must implement a getService()
  171.      * method, as shown in samples.ApiDemos.app.LocalService.

  172.      * @param intent The Intent as if supplied to {@link android.content.Context#bindService}.
  173.      * 
  174.      * @return Return an IBinder for making further calls into the Service.
  175.      */
  176.     protected IBinder bindService(Intent intent) {
  177.         assertFalse(mServiceStarted);
  178.         assertFalse(mServiceBound);
  179.         
  180.         if (!mServiceAttached) {
  181.             setupService();
  182.         }
  183.         assertNotNull(mService);
  184.         
  185.         if (!mServiceCreated) {
  186.             mService.onCreate();
  187.             mServiceCreated = true;
  188.         }
  189.         // no extras are expected by unbind
  190.         mServiceIntent = intent.cloneFilter();
  191.         IBinder result = mService.onBind(intent);
  192.         
  193.         mServiceBound = true;
  194.         return result;
  195.     }
  196.     
  197.     /***
  198.      * This will make the necessary calls to stop (or unbind) the Service under test, and
  199.      * call onDestroy(). Ordinarily this will be called automatically (by {@link #tearDown}, but
  200.      * you can call it directly from your test in order to check for proper shutdown behaviors.
  201.      */
  202.     protected void shutdownService() {
  203.         if (mServiceStarted) {
  204.             mService.stopSelf();
  205.             mServiceStarted = false;
  206.         } else if (mServiceBound) {
  207.             mService.onUnbind(mServiceIntent);
  208.             mServiceBound = false;
  209.         }
  210.         if (mServiceCreated) {
  211.             mService.onDestroy();
  212.         }
  213.     }
  214.     
  215.     /***
  216.      * Shuts down the Service under test. Also makes sure all resources are cleaned up and 
  217.      * garbage collected before moving on to the next
  218.      * test. Subclasses that override this method should make sure they call super.tearDown()
  219.      * at the end of the overriding method.
  220.      * 
  221.      * @throws Exception
  222.      */
  223.     @Override
  224.     protected void tearDown() throws Exception {
  225.         shutdownService();
  226.         mService = null;

  227.         // Scrub out members - protects against memory leaks in the case where someone 
  228.         // creates a non-static inner class (thus referencing the test case) and gives it to
  229.         // someone else to hold onto
  230.         scrubClass(ServiceTestCase.class);

  231.         super.tearDown();
  232.     }
  233.     
  234.     /***
  235.      * Set the application for use during the test. If your test does not call this function,
  236.      * a new {@link android.test.mock.MockApplication MockApplication} object will be generated.
  237.      * 
  238.      * @param application The Application object that will be injected into the Service under test.
  239.      */
  240.     public void setApplication(Application application) {
  241.         mApplication = application;
  242.     }

  243.     /***
  244.      * Return the Application object being used by the Service under test.
  245.      * 
  246.      * @return Returns the application object.
  247.      * 
  248.      * @see #setApplication
  249.      */
  250.     public Application getApplication() {
  251.         return mApplication;
  252.     }
  253.     
  254.     /***
  255.      * Return a real (not mocked or instrumented) system Context that can be used when generating
  256.      * Mock or other Context objects for your Service under test.
  257.      * 
  258.      * @return Returns a reference to a normal Context.
  259.      */
  260.     public Context getSystemContext() {
  261.         return mSystemContext;
  262.     }

  263.     public void testServiceTestCaseSetUpProperly() throws Exception {
  264.         setupService();
  265.         assertNotNull("service should be launched successfully", mService);
  266.     }
  267. }

分类: 嵌入式

       前两篇文章对 Android Service和 ServiceTestCase做了简单的分析,在本文中将一步步实现对一个Service的测试,由于参考的资料非常有限,大部分都是自己研究摸索的,不保证正确性。在以后的工作中,我会进行进一步的研究。
       首先做一下对服务的启动和停止的测试。测试的对象是一个很简单的播放音乐的服务,代码是我在网上搜的,对其做了一些修改来方便测试,具体代码如下:

package com.example;

import android.app.Service;
import android.content.Intent;
import android.media.MediaPlayer;
import android.os.IBinder;
import android.util.Log;
import android.widget.Toast;

public class MyService extends Service {

    MediaPlayer player;

    public IBinder onBind(Intent intent){
        return null;
    }

    public void onCreate() {
        Toast.makeText(this, "My Service Created", Toast.LENGTH_LONG).show();
        player=MediaPlayer.create(this, R.raw.start);
        player.setLooping(false);
    }

    public void onDestroy(){
        Log.d("stop","stoped");
        Toast.makeText(this, "My Servece Stopped", Toast.LENGTH_LONG).show();
        player.stop();
    }

    public void onStart(Intent intent,int startid){
        Toast.makeText(this, "Started", Toast.LENGTH_LONG).show();
        player.start();
    }
}
     可以看到该服务非常的简单,我们对其的测试相对应地也很简单。下面就一步步进行测试。

1.在ECLIPSE中运行File>New > Project > Android > Android Test Project.如下图所示,输入Test Project Name并且在“Test Tartget”中选择所要测试的工程。其余的会自动填好。最后点击“Finish”按钮。




2.在新建的项目上右击鼠标,选择NEW>CLASS。如下图所示,输入类名。在Superclass一览点击Browse,选择“android.test.ServiceTestCase<T>”,将其中的T改为所要测试的服务类名“MyService”。点击finish按钮。这样第一个测试类就创建了。




3.在新建的类中输入代码:
  1. package com.example.test;

  2. import com.example.MyService;
  3. import android.content.Intent;
  4. import android.test.ServiceTestCase;
  5. import android.util.Log;

  6. public class MyServiceTest extends ServiceTestCase<MyService> {

  7.     private String TAG="myservicetest";
  8.     private Context mContext;
  9.     /**
  10.      * 构造方法
  11.      */
  12.     public MyServiceTest() {
  13.         super(MyService.class);

  14.     }

  15.     /**
  16.      * 重写setUp方法,第一句调用super.setUp
  17.      */
  18.     protected void setUp() throws Exception {
  19.         super.setUp();
  20.         mContext = getContext();

  21.     }

  22.   // public void testAndroidTestCaseSetupProperly() {
  23.   // super.testAndroidTestCaseSetupProperly();
  24.  // }

  25.     protected void tearDown() throws Exception {
  26.         mContext = null;
  27.         super.tearDown();
  28.     }

  29.     /**
  30.      * 测试Service正确地启动
  31.      */
  32.     public void testStart() {
  33.         Log.i(TAG, "start testStart");
  34.             Intent intent = new Intent();
  35.             startService(intent);
  36.             MyService Serv=getService();
  37.             assertNotNull(Serv);
  38.         Log.i(TAG, "end testStart");
  39.         }
  40.     }


  41.     /**
  42.      * 测试Service正确的终止
  43.      */
  44.     public void teststop() {
  45.         Log.i(TAG, "start teststopService");
  46.             Intent intent = new Intent();
  47.             startService(intent);
  48.             MyService service = getService();
  49.             service.stopService(intent);     
  50.     }
  51. }
4.在工程上右击鼠标选择Run As> Android JUnit Test运行测试用例,测试结果如下图所示,可以看到测试都通过了,如果测试没通过,在下面的“Failure Trace”中会给出错误信息。最后的两个测试用例是系统自动运行的。



     至此,第一个测试例子就结束了,可以看到这个例子非常地简单,在实际开发中所要用的肯定比这复杂得多,还需要对其进行更深入的研究,比如说加入mock object 等。
根据引用内容,问题中提到的test——loss可能是指在训练模型过程中,测试集上的损失值。根据引用中的内容,如果训练模型的loss下降,但准确率却在下降,很可能是loss目标函数写错了。此外,还有可能是测试过程中的一些问题,比如测试数据没有在和训练数据相同的session中进行测试。要解决这个问题,可以检查loss函数的实现以及测试过程中的代码,确保它们正确并且一致。另外,引用中提到了在迭代过程中保存训练和测试的值,可以使用这些值来绘制train过程中的loss曲线和test过程中的accuracy曲线,帮助我们更好地理解模型的训练情况。123 #### 引用[.reference_title] - *1* [train loss与test loss结果分析](https://blog.csdn.net/w372845589/article/details/84303498)[target="_blank" data-report-click={"spm":"1018.2226.3001.9630","extra":{"utm_source":"vip_chatgpt_common_search_pc_result","utm_medium":"distribute.pc_search_result.none-task-cask-2~all~insert_cask~default-1-null.142^v92^chatsearchT3_1"}} ] [.reference_item] - *2* *3* [caffe学习笔记——loss及accuracy曲线绘制](https://blog.csdn.net/wanty_chen/article/details/80232303)[target="_blank" data-report-click={"spm":"1018.2226.3001.9630","extra":{"utm_source":"vip_chatgpt_common_search_pc_result","utm_medium":"distribute.pc_search_result.none-task-cask-2~all~insert_cask~default-1-null.142^v92^chatsearchT3_1"}} ] [.reference_item] [ .reference_list ]
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值