模拟一个Vertx.io异步处理程序

8

当我进行同步操作时,我会编写单元测试来模拟持久化部分并检查调用者的行为。以下是我通常所做的一个示例:

@Mock
private OfferPersistenceServiceImpl persistenceService;
@Inject
@InjectMocks
private OfferServiceImpl offerService;
...
@Test
public void createInvalidOffer() {
  offer = new Offer(null, null, null, null, null, 4, 200D, 90D);
  String expectedMessage = Offer.class.getName() + " is not valid: " + offer.toString();
  Mockito.when(persistenceService.create(offer)).thenThrow(new IllegalArgumentException(expectedMessage));
  Response response = offerService.create(offer);
  Mockito.verify(persistenceService, Mockito.times(1)).create(offer);
  Assert.assertEquals(INVALID_INPUT, response.getStatus());
  String actualMessage = response.getEntity().toString();
  Assert.assertEquals(expectedMessage, actualMessage);
}

但现在我爱上了Vertx.io(我对它还很陌生),我想使用异步方式。不错。但是Vertx有处理器,因此模拟新的持久性组件如下:

...
mongoClient.insert(COLLECTION, offer, h-> {
  ...
});

我猜测如何模拟处理程序 h 来测试使用该 mongoClient 的类,甚至是否正确地使用 Vertx.io 进行测试。我正在使用 vertx.io 3.5.0junit 4.12mockito 2.13.0。谢谢。
更新: 我试图按照 tsegimond 的建议进行操作,但我不知道 Mockito 的 AnswerArgumentCaptor 如何帮助我。以下是我迄今为止尝试过的内容。 使用 ArgumentCaptor
JsonObject offer = Mockito.mock(JsonObject.class);
Mockito.when(msg.body()).thenReturn(offer);         
Mockito.doNothing().when(offerMongo).validate(offer);
RuntimeException rex = new RuntimeException("some message");
...
ArgumentCaptor<Handler<AsyncResult<String>>> handlerCaptor =
ArgumentCaptor.forClass(Handler.class);
ArgumentCaptor<AsyncResult<String>> asyncResultCaptor =
ArgumentCaptor.forClass(AsyncResult.class);
offerMongo.create(msg);
Mockito.verify(mongoClient,
Mockito.times(1)).insert(Mockito.anyString(), Mockito.any(), handlerCaptor.capture());
Mockito.verify(handlerCaptor.getValue(),
Mockito.times(1)).handle(asyncResultCaptor.capture());
Mockito.when(asyncResultCaptor.getValue().succeeded()).thenReturn(false);
Mockito.when(asyncResultCaptor.getValue().cause()).thenReturn(rex);
Assert.assertEquals(Json.encode(rex), msg.body().encode());

并使用 Answer

ArgumentCaptor<AsyncResult<String>> handlerCaptor =
ArgumentCaptor.forClass(AsyncResult.class);
AsyncResult<String> result = Mockito.mock(AsyncResult.class);
Mockito.when(result.succeeded()).thenReturn(true);
Mockito.when(result.cause()).thenReturn(rex);
Mockito.doAnswer(new Answer<MongoClient>() {
  @Override
  public MongoClient answer(InvocationOnMock invocation) throws Throwable {
    ((Handler<AsyncResult<String>>)
    invocation.getArguments()[2]).handle(handlerCaptor.capture());
        return null;
      }
    }).when(mongoClient).insert(Mockito.anyString(), Mockito.any(),
Mockito.any());
userMongo.create(msg);
Assert.assertEquals(Json.encode(rex), msg.body().encode());

现在我有些困惑了。是否有一种方法来模拟AsyncResult,以便让它在succeed()上返回false?


请查看 https://fernandocejas.com/2014/04/08/unit-testing-asynchronous-methods-with-mockito/。 - tsegismont
2个回答

9

最终我有时间调查了一下,我做到了。这是我的解决方案。

@RunWith(PowerMockRunner.class)
@PowerMockRunnerDelegate(VertxUnitRunner.class)
@PrepareForTest({ MongoClient.class })
public class PersistenceTest {

private MongoClient mongo;
private Vertx vertx;

@Before
public void initSingleTest(TestContext ctx) throws Exception {
  vertx = Vertx.vertx();
  mongo = Mockito.mock(MongoClient.class);
  PowerMockito.mockStatic(MongoClient.class);
  PowerMockito.when(MongoClient.createShared(Mockito.any(), Mockito.any())).thenReturn(mongo);
  vertx.deployVerticle(Persistence.class, new DeploymentOptions(), ctx.asyncAssertSuccess());
}

@SuppressWarnings("unchecked")
@Test
public void loadSomeDocs(TestContext ctx) {
  Doc expected = new Doc();
  expected.setName("report");
  expected.setPreview("loremipsum");
  Message<JsonObject> msg = Mockito.mock(Message.class);
  Mockito.when(msg.body()).thenReturn(JsonObject.mapFrom(expected));
  JsonObject result = new JsonObject().put("name", "report").put("preview", "loremipsum");
  AsyncResult<JsonObject> asyncResult = Mockito.mock(AsyncResult.class);
  Mockito.when(asyncResult.succeeded()).thenReturn(true);
  Mockito.when(asyncResult.result()).thenReturn(result);
  Mockito.doAnswer(new Answer<AsyncResult<JsonObject>>() {
    @Override
    public AsyncResult<JsonObject> answer(InvocationOnMock arg0) throws Throwable {
    ((Handler<AsyncResult<JsonObject>>) arg0.getArgument(3)).handle(asyncResult);
    return null;
    }
  }).when(mongo).findOne(Mockito.any(), Mockito.any(), Mockito.any(), Mockito.any());
  Async async = ctx.async();
  vertx.eventBus().send("persistence", new JsonObject(), msgh -> {
    if (msgh.failed()) {
    System.out.println(msgh.cause().getMessage());
    }
    ctx.assertTrue(msgh.succeeded());
    ctx.assertEquals(expected, Json.decodeValue(msgh.result().body().toString(), Doc.class));
    async.complete();
  });
  async.await();
  }
}

使用 Powermockito 来模拟 MongoClient.createShared 静态方法,这样当 verticle 启动时,你就有了你的模拟。模拟异步处理程序需要编写一些代码。正如你所看到的,模拟从 Message<JsonObject> msg = Mockito.mock(Message.class); 开始,直到 Mockito.doAnswer(new Answer... 结束。在 Answer 方法中,选择 handler 参数并强制它处理您的异步结果,然后完成。


2

通常情况下,我会使用评论来发布这个内容,但是格式会丢失。接受的解决方案非常好,只需要注意可以使用Java 8+进行简化,并且可以使用实际对象而不是JSON。

doAnswer((Answer<AsyncResult<List<Sample>>>) arguments -> {
            ((Handler<AsyncResult<List<Sample>>>) arguments.getArgument(1)).handle(asyncResult);
            return null;
        }).when(sampleService).findSamplesBySampleFilter(any(), any());

getArgument(1)是指在方法中处理程序参数的索引,例如:

@Fluent
@Nonnull
SampleService findSamplesBySampleFilter(@Nonnull final SampleFilter sampleFilter,
                                  @Nonnull final Handler<AsyncResult<List<Sample>>> resultHandler);

网页内容由stack overflow 提供, 点击上面的
可以查看英文原文,
原文链接