基於SpringBoot Mock單元測試詳解

Junit中的基本註解:

  • @Test:使用該註解標註的public void方法會表示為一個測試方法;
  • @BeforeClass:表示在類中的任意public static void方法執行之前執行;
  • @AfterClass:表示在類中的任意public static void方法之後執行;
  • @Before:表示在任意使用@Test註解標註的public void方法執行之前執行;
  • @After:表示在任意使用@Test註解標註的public void方法執行之後執行;

SpringBoot 單元測試詳解(Mockito、MockBean)

SpringBoot 單元測試(cobertura 生成覆蓋率報告)

1.Mock的概念:

所謂的mock就是創建一個類的虛假的對象,在測試環境中,用來替換掉真實的對象,以達到兩大目的:

驗證這個對象的某些方法的調用情況,調用瞭多少次,參數是什麼等等指定這個對象的某些方法的行為,返回特定的值,或者是執行特定的動作 2. 添加依賴

新建的springBoot項目中默認包含瞭spring-boot-starter-test的依賴,如果沒有包含可自行在pom.xml中添加依賴

 <dependency>
        <groupId>org.springframework.boot</groupId>
        <artifactId>spring-boot-starter-test</artifactId>
        <scope>test</scope>
    </dependency>

在這裡插入圖片描述

進入 spring-boot-starter-test-2.2.2.RELEASE.pom 可以看到該依賴中已經有單元測試所需的大部分依賴,如:

  • junit
  • mockito
  • hamcrest

在這裡插入圖片描述

註意包含的junit為junit5 ,在主要還是使用junit4所以在pom.xml中添加依賴

        <dependency>
            <groupId>junit</groupId>
            <artifactId>junit</artifactId>
            <scope>test</scope>
        </dependency>

這裡如果不添加的話,在使用@RunWith註解的時候也會提示你添加,點擊Add ‘JUnit4′ to classpath也會自動在pom.xml幫你添加

在這裡插入圖片描述

若為非springboot項目,其他 spring 項目,需要自己添加 Junit 和 mockito 的依賴。SpringBoot不要添加,添加後Test的時候會出錯

      <dependency>
            <groupId>junit</groupId>
            <artifactId>junit</artifactId>
            <version>4.12</version>
            <scope>test</scope>
        </dependency>
        <!-- https://mvnrepository.com/artifact/org.mockito/mockito-all -->
        <dependency>
            <groupId>org.mockito</groupId>
            <artifactId>mockito-all</artifactId>
            <version>1.10.19</version>
            <scope>test</scope>
        </dependency>

3. 常用的 Mockito 方法

Mockito的使用,一般有以下幾種組合:

  • do/when:包括doThrow(…).when(…)/doReturn(…).when(…)/doAnswer(…).when(…)
  • given/will:包括given(…).willReturn(…)/given(…).willAnswer(…)
  • when/then: 包括when(…).thenReturn(…)/when(…).thenAnswer(…)

例如:

given(userRepository.findByUserName(Mockito.anyString())).willReturn(user);
  • given + willReturn

given用於對指定方法進行返回值的定制,它需要與will開頭的方法一起使用

通過willReturn可以直接指定打樁的方法的返回值

when(userRepository.findByUserName(Mockito.anyString())).thenReturn(user);
  • when + thenReturn

when的作用與Given有點類似,但它一般與then開頭的方法一起使用。

thenReturn與willReturn類似,不過它一般與when一起使用。

在這裡插入圖片描述

在這裡插入圖片描述

以上為個人經驗,希望能給大傢一個參考,也希望大傢多多支持WalkonNet。

推薦閱讀: