使用 JUnit 测试受保护的方法

2022-09-05 00:40:38

我正在测试一种方法,该方法是.在我的测试用例中,我习惯于访问该方法,但我不完全确定我是否以正确的方式执行此操作。protectedReflection

测试方法:

protected void checkORCondition( Map<String, Message> messagesMap ) throws EISClientException
{
    Message message = containsAMessageCode(getMessageCodes(), messagesMap);
    if(message!=null)
    {
        throw new EISClientException("One of the specified message code matched returned errors." + 
                message.getMessageCode() + ": " + message.getMessageType() + ": " + message.getMessageText());

    }
}

JUnit 测试用例:

@Test
public void testcheckORCondition() throws Exception {
    Class clazz = MessageToExceptionPostProcessFilter.class;
    Object object = clazz.newInstance();

    Method method = clazz.getDeclaredMethod("checkORCondition", new Class[]{Map.class});
    method.setAccessible(true);

    String string = new String();
    string = "testing";

    Message message = new Message();
    message.setMessageCode("200");

    Map<String, Message> map = new HashMap<String, Message>();
    map.put(string, message);

    assertEquals("testing", string);
    assertEquals("200", message.getMessageCode());  
}

我的JUnit通过,但不确定它是否进入方法内部。


答案 1

最好的方法是将受保护的方法放在相同的包名称下进行测试。这将确保它们是可访问的。查看 junit FAQ 页面 http://junit.org/faq.html#organize_1


答案 2

使用反射从单元测试访问受保护的方法似乎很麻烦。有几种更简单的方法可以做到这一点。

最简单的方法是确保测试与要测试的类位于同一包层次结构中。如果无法做到这一点,则可以对原始类进行子类化,并创建调用受保护方法的公共访问器。

如果这是一次性的情况,那么它甚至可以像制作匿名类一样简单。

要测试的类:

public class MessageToExceptionPostProcessFilter {

    protected void checkOrCondition(Map<String, Message> messagesMap) throws EISClientException {
        // Logic you want to test
    } 
}

以及您的测试类:

public class MessageToExceptionPostProcessFilterTest {
    @Test
    public void testCheckOrCondition() throws Exception {
        String string = "testing";

        Message message = new Message();
        message.setMessageCode("200");

        Map<String, Message> map = new HashMap<>();
        map.put(string, message);

        MessageToExceptionPostProcessFilter filter = new MessageToExceptionPostProcessFilter() {
            public MessageToExceptionPostProcessFilter callProtectedMethod(Map<String, Message> messagesMap) throws EISClientException {
                checkOrCondition(messagesMap);
                return this;
            }
        }.callProtectedMethod(map);

        // Assert stuff
    }
}