13

2010 年的这个问题暗示了我正在尝试做的事情。

我正在做一个单元测试,它练习需要许多模拟对象来完成它需要做的事情的代码(测试 HTML + PDF 渲染)。为了使这个测试成功,我需要生成许多模拟对象,并且这些对象中的每一个最终都会将一些字符串数据返回到正在测试的代码中。

我可以通过实现我自己的Answer类或来做到这一点IMockitoConfiguration,但我不确定如何实现这些,所以它们只会影响返回字符串的方法。

我觉得下面的代码和我想要的很接近。它抛出一个强制转换异常,java.lang.ClassCastException: java.lang.String cannot be cast to com.mypackage.ISOCountry. 我认为这意味着我需要以某种方式默认或限制Answer仅影响String.

private Address createAddress(){
    Address address = mock(Address.class, new StringAnswer() );

    /* I want to replace repetitive calls like this, with a default string. 
    I just need these getters to return a String, not a specific string.

    when(address.getLocality()).thenReturn("Louisville");
    when(address.getStreet1()).thenReturn("1234 Fake Street Ln.");
    when(address.getStreet2()).thenReturn("Suite 1337");
    when(address.getRegion()).thenReturn("AK");
    when(address.getPostal()).thenReturn("45069");   
    */

    ISOCountry isoCountry = mock(ISOCountry.class);
    when(isoCountry.getIsocode()).thenReturn("US");
    when(address.getCountry()).thenReturn(isoCountry);

    return address;
}

//EDIT: This method returns an arbitrary string
private class StringAnswer implements Answer<Object> {
    @Override
    public Object answer(InvocationOnMock invocation) throws Throwable {
        String generatedString = "Generated String!";
           if( invocation.getMethod().getReturnType().isInstance( generatedString )){
               return generatedString;
           }
           else{
               return Mockito.RETURNS_DEFAULTS.answer(invocation);
           }
       }
}

如何设置 Mockito 以默认为返回 String 的模拟类上的方法返回生成的 String?我在 SO 上找到了这部分问题的解决方案

对于额外的点,我怎样才能使生成的值成为形式为 String 的字符串Class.methodName?例如"Address.getStreet1()",而不仅仅是一个随机字符串?

4

1 回答 1

12

我能够完全回答我自己的问题。

在此示例中,生成了一个具有路易斯维尔地区的地址,而其他字段看起来像“address.getStreet1();”。

private Address createAddress(){
    Address address = mock(Address.class, new StringAnswer() );

    when(address.getLocality()).thenReturn("Louisville");

    ISOCountry isoCountry = mock(ISOCountry.class);
    when(isoCountry.getIsocode()).thenReturn("US");
    when(address.getCountry()).thenReturn(isoCountry);

    return address;
}

private class StringAnswer implements Answer<Object> {
    @Override
    public Object answer(InvocationOnMock invocation) throws Throwable {
           if( invocation.getMethod().getReturnType().equals(String.class)){
               return invocation.toString();
           }
           else{
               return Mockito.RETURNS_DEFAULTS.answer(invocation);
           }
       }
}
于 2013-04-02T15:24:46.150 回答