14

使用 Robolectric,如何测试一个将意图广播为响应的 IntentService?

假设以下类:

class MyService extends IntentService {
    @Override
    protected void onHandleIntent(Intent intent) {
        LocalBroadcastManager.getInstance(this).sendBroadcast(new Intent("action"));
    }
}

在我的测试用例中,我试图做这样的事情:

@RunWith(RobolectricTestRunner.class)
public class MyServiceTest{
    @Test
    public void testPurchaseHappyPath() throws Exception {

        Context context = new Activity();

        // register broadcast receiver
        BroadcastReceiver br = new BroadcastReceiver() {

            @Override
            public void onReceive(Context context, Intent intent) {
                // test logic to ensure that this is called
            }

        };
        context.registerReceiver(br, new IntentFilter("action"));

        // This doesn't work
        context.startService(new Intent(context, MyService.class));

    }

}

MyService 永远不会使用这种方法启动。我对 Robolectric 比较陌生,所以我可能遗漏了一些明显的东西。在调用 startService 之前我必须做某种绑定吗?我已经通过在上下文中调用 sendBroadcast 来验证广播是否有效。有任何想法吗?

4

1 回答 1

12

您无法像尝试那样测试服务初始化。当你在 Robolectric 下创建一个新的活动时,你得到的活动实际上是一种ShadowActivity(一种)。这意味着当您调用时startService,实际执行的方法是this,它只是调用 into ShadowApplication#startService。这是该方法的内容:

@Implementation
@Override
public ComponentName startService(Intent intent) {
    startedServices.add(intent);
    return new ComponentName("some.service.package", "SomeServiceName-FIXME");
}

您会注意到它实际上并没有尝试启动您的服务。它只是指出您试图启动该服务。这对于某些被测代码应该启动服务的情况很有用。

如果你想测试实际的服务,我认为你需要为初始化位模拟服务生命周期。像这样的东西可能会起作用:

@RunWith(RobolectricTestRunner.class)
public class MyServiceTest{
    @Test
    public void testPurchaseHappyPath() throws Exception {

        Intent startIntent = new Intent(Robolectric.application, MyService.class);
        MyService service = new MyService();
        service.onCreate();
        service.onStartCommand(startIntent, 0, 42);

        // TODO: test test test

        service.onDestroy();
    }
}

我不熟悉 Robolectric 如何处理BroadcastReceivers,所以我把它省略了。

编辑@Before:在 JUnit /方法中进行服务创建/销毁可能更有意义@After,这将允许您的测试仅包含onStartCommand和“测试测试测试”位。

于 2012-10-17T12:42:30.790 回答