20

我有一个使用工厂创建对象的类。在我的单元测试中,我想访问工厂的返回值。由于工厂直接传递给类并且没有为创建的对象提供getter,我需要拦截从工厂返回的对象。

RealFactory factory     = new RealFactory();
RealFactory spy         = spy(factory);
TestedClass testedClass = new TestedClass(factory);

// At this point I would like to get a reference to the object created
// and returned by the factory.

是否有可能访问工厂的返回值?可能使用间谍?
我能看到的唯一方法是模拟工厂创建方法。

4

2 回答 2

61

首先,您应该spy作为构造函数参数传入。

除此之外,这就是你如何做到的。

public class ResultCaptor<T> implements Answer {
    private T result = null;
    public T getResult() {
        return result;
    }

    @Override
    public T answer(InvocationOnMock invocationOnMock) throws Throwable {
        result = (T) invocationOnMock.callRealMethod();
        return result;
    }
}

预期用途:

RealFactory factory     = new RealFactory();
RealFactory spy         = spy(factory);
TestedClass testedClass = new TestedClass(spy);

// At this point I would like to get a reference to the object created
// and returned by the factory.


// let's capture the return values from spy.create()
ResultCaptor<RealThing> resultCaptor = new ResultCaptor<>();
doAnswer(resultCaptor).when(spy).create();

// do something that will trigger a call to the factory
testedClass.doSomething();

// validate the return object
assertThat(resultCaptor.getResult())
        .isNotNull()
        .isInstanceOf(RealThing.class);
于 2014-09-05T21:31:21.097 回答
2

标准的模拟方法是:

  1. 在测试用例中预先创建你希望工厂返回的对象
  2. 创建工厂的模拟(或间谍)
  3. 规定模拟工厂返回您预先创建的对象。

如果你真的想让 RealFactory 动态创建对象,你可以继承它并重写工厂方法 call super.create(...),然后保存对测试类可访问的字段的引用,然后返回创建的对象。

于 2011-08-17T16:08:26.267 回答