在 spring + Mockito 中模拟传递的功能接口

Mocking passed functional interfaces in spring + Mockito

我正在为作为行为传递的方法创建测试,我不确定模拟将如何发挥作用。我不想模拟 executeBehaviour 调用,而是模拟行为的实际执行 function.apply

 public String processData(){
        String a="check";
        return executeBehaviour((check)->"hello"+check,a);
    }
 public  String executeBehaviour(Function<String,String> data,String data1){
        //Some processing
            return data.apply(data1);
    }

我写了下面的测试用例,但它似乎没有模拟 data.apply() 称呼。 测试用例:

  @Test
    void sampleTest() {
        Function<String, String> processFunction = mock(Function.class);
        String test = "check";
        when(groupingFunction.apply(anyString())).thenReturn(test);
        String data = itemInventoryProcessorService.executeBehaviour(processFunction,test);
        Assertions.assertEquals("check", data);
    }

断言失败,因为写入的数据是实际执行的行为,即“hellocheck”而不是模拟的“check”。

使用 doAnswer,我们可以提供函数的实现和 return 我们正在尝试验证的 fake/stubbed 结果。通过这种方式,我们基本上是为自己的函数提供存根。

 @Test
    void sampleTest() {
        String test = "check";
        doAnswer(invocation -> {
            Function<String, String> processingFunction = invocation.getArgument(0);
            groupingFunction.apply("dummy");
            return test;
        }).when(itemInventoryProcessorService). executeBehaviour(any(Function.class), anyString());
        var data = itemInventoryProcessorService. processData();
        Assertions.assertEquals("check", data);
    }