Spring Boot 2 單元測試

来源:https://www.cnblogs.com/gdjlc/archive/2019/09/19/11553274.html
-Advertisement-
Play Games

一、測試Web服務 二、模擬Web測試 三、測試業務組件 四、模擬業務組件 ...


開發環境:IntelliJ IDEA 2019.2.2
Spring Boot版本:2.1.8

IDEA新建一個Spring Boot項目後,pom.xml預設包含了Web應用和單元測試兩個依賴包。
如下:

    <dependencies>
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-web</artifactId>
        </dependency>

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

一、測試Web服務

1、新建控制器類 HelloController.cs

package com.example.demo.controller;

import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RestController;

@RestController
public class HelloController {
    @RequestMapping("/")
    public String index() {
        return "index";
    }

    @RequestMapping("/hello")
    public String hello() {
        return "hello";
    }
}

2、新建測試類 HelloControllerTest.cs

下麵WebEnvironment.RANDOM_PORT會啟動一個真實的Web容器,RANDOM_PORT表示隨機埠,如果想使用固定埠,可配置為
WebEnvironment.DEFINED_PORT,該屬性會讀取項目配置文件(如application.properties)中的埠(server.port)。
如果沒有配置,預設使用8080埠。

package com.example.demo.controller;

import org.junit.Assert;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.context.SpringBootTest;
import org.springframework.boot.test.web.client.TestRestTemplate;
import org.springframework.test.context.junit4.SpringRunner;

@RunWith(SpringRunner.class)
@SpringBootTest(webEnvironment = SpringBootTest.WebEnvironment.RANDOM_PORT)
public class HelloControllerTest {

    @Autowired
    private TestRestTemplate restTemplate;

    @Test
    public void testIndex(){
        String result = restTemplate.getForObject("/",String.class);
        Assert.assertEquals("index", result);
    }

    @Test
    public void testHello(){
        String result = restTemplate.getForObject("/",String.class);
        Assert.assertEquals("Hello world", result);//這裡故意寫錯
    }
}

在HelloControllerTest.cs代碼中右鍵空白行可選擇Run 'HelloControllerTest',測試類裡面所有方法。
(如果只想測試一個方法如testIndex(),可在testIndex()代碼上右鍵選擇Run 'testIndex()')
運行結果如下,一個通過,一個失敗。

二、模擬Web測試

新建測試類 HelloControllerMockTest.cs
設置WebEnvironment屬性為WebEnvironment.MOCK,啟動一個模擬的Web容器。
測試方法中使用Spring的MockMvc進行模擬測試。

package com.example.demo.controller;

import org.junit.Test;
import org.junit.runner.RunWith;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.autoconfigure.web.servlet.AutoConfigureMockMvc;
import org.springframework.boot.test.context.SpringBootTest;
import org.springframework.test.context.junit4.SpringRunner;
import org.springframework.test.web.servlet.MockMvc;
import org.springframework.test.web.servlet.MvcResult;
import org.springframework.test.web.servlet.ResultActions;
import org.springframework.test.web.servlet.request.MockMvcRequestBuilders;

import java.net.URI;

@RunWith(SpringRunner.class)
@SpringBootTest(webEnvironment = SpringBootTest.WebEnvironment.MOCK)//MOCK為預設值,也可不設置
@AutoConfigureMockMvc
public class HelloControllerMockTest {
    @Autowired
    private MockMvc mvc;

    @Test
    public  void testIndex() throws Exception{
        ResultActions ra = mvc.perform(MockMvcRequestBuilders.get(new URI("/")));
        MvcResult result = ra.andReturn();
        System.out.println(result.getResponse().getContentAsString());
    }

    @Test
    public  void testHello() throws Exception{
        ResultActions ra = mvc.perform(MockMvcRequestBuilders.get(new URI("/hello")));
        MvcResult result = ra.andReturn();
        System.out.println(result.getResponse().getContentAsString());
    }
}

右鍵Run 'HelloControllerMockTest',運行結果如下:

三、測試業務組件

1、新建服務類 HelloService.cs

package com.example.demo.service;

import org.springframework.stereotype.Service;

@Service
public class HelloService {
    public String hello(){
        return "hello";
    }
}

2、新建測試類 HelloServiceTest.cs

WebEnvironment屬性設置為NONE,不會啟動Web容器,只啟動Spring容器。

package com.example.demo.service;

import org.junit.Test;
import org.junit.runner.RunWith;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.context.SpringBootTest;
import org.springframework.test.context.junit4.SpringRunner;

@RunWith(SpringRunner.class)
@SpringBootTest(webEnvironment = SpringBootTest.WebEnvironment.NONE)
public class HelloServiceTest {
    @Autowired
    private HelloService helloService;

    @Test
    public void testHello(){
        String result = helloService.hello();
        System.out.println(result);
    }
}

右鍵Run 'HelloServiceTest',運行結果如下:

四、模擬業務組件

假設上面的HelloService.cs是操作資料庫或調用第三方介面,為了不讓這些外部不穩定因素影響單元測試的運行結果,可使用mock來模擬
某些組件的返回結果。
1、新建一個服務類 MainService.cs

裡面的main方法會調用HelloService的方法

package com.example.demo.service;

import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;

@Service
public class MainService {
    @Autowired
    private HelloService helloService;

    public void main(){
        System.out.println("調用業務方法");
        String result = helloService.hello();
        System.out.println("返回結果:" + result);
    }
}

2、新建測試類 MainServiceMockTest.cs

下麵代碼中,使用MockBean修飾需要模擬的組件helloService,測試方法中使用Mockito的API模擬helloService的hello方法返回。

package com.example.demo.service;

import org.junit.Test;
import org.junit.runner.RunWith;
import org.mockito.BDDMockito;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.context.SpringBootTest;
import org.springframework.boot.test.mock.mockito.MockBean;
import org.springframework.test.context.junit4.SpringRunner;

@RunWith(SpringRunner.class)
@SpringBootTest
public class MainServiceMockTest {
    @MockBean
    private HelloService helloService;
    @Autowired
    private MainService mainService;

    @Test
    public void testMain(){
        BDDMockito.given(this.helloService.hello()).willReturn("hello world");
        mainService.main();
    }
}

右鍵Run 'MainServiceMockTest',運行結果如下:

五、IDEA項目結構圖

 


您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • Python3入門機器學習 經典演算法與應用(網盤免費分享) 部分課程學習資料截圖: 免費課程資料領取目錄: Python Flask構建微信小程式訂餐系統(網盤免費分享) Python分散式爬蟲必學框架Scrapy打造搜索引擎(網盤免費分享) Python3實戰Spark大數據分析及調度 (網盤免費 ...
  • 一、採用面向對象的方式開發一個軟體,生命周期之中: (1)面向對象的分析:OOA (2)面向對象的設計:OOD (3)面向對象的編程:OOP 二、類 定義:類在現實世界世界之中是不存在的,是一個模板,是一個概念,是人類大腦思考抽象的結果;類表示一類事物;在現實世界之中,對象A與對象B之間具有共同特征 ...
  • springboot返回統一介面與統一異常處理 編寫人員: yls 編寫時間:2019 9 19 1. 0001 springboot返回統一介面與統一異常處理 1. "簡介" 1. "創建統一的返回格式 Result" 1. "封裝統一返回格式工具類ResultUtil" 1. "測試用的實體類U ...
  • 題目一:旋轉數組的最小數字 思路:說實話看這個題目看了好久題目愣是沒看懂,到底是個什麼數組啊,又不說清楚,emmm...百度了好久才知道這個數組預設其中的元素的遞增的,而且在數組中的元素可能是重覆的,比如2344445這種也是行的,我們就分別討論一下有重覆元素和沒有重覆元素的情況; 第一種情況:數組 ...
  • 深入理解JVM垃圾回收機制 1、垃圾回收需要解決的問題及解決的辦法總覽 + 1、如何判定對象為垃圾對象 引用計數法 可達性分析法 + 2、如何回收 回收策略 標記 清除演算法 複製演算法 標記 整理演算法 分帶收集演算法 垃圾回收器 serial parnew Cms G1 + 3、何時回收 下麵就是如何判 ...
  • 作業一: 1 #!/usr/bin/env python 2 # -*- coding:utf-8 -*- 3 4 #先定義一個函數 5 def func(args): 6 #定義一個計算數字的變數 7 digit_num = 0 8 # 定義一個計算字母的變數 9 al_num = 0 10 # ...
  • 1.jps(JVM Process Status Tool) 列出正在運行的虛擬機進程。 2.jstat(JVM Statistics Monitoring Tool) 顯示運行狀態信息。 3.jinfo(Configuration Info for Java) 查看和調整虛擬機各項參數。 4.jm ...
  • 一、線程池工作流程   1. 線程池判斷核心線程池裡的線程是否都在執行任務。如果不是,則創建一個新的工作線程來執行任務(需要獲得全局鎖)。如果核心線程池裡的線程都在執行任務,則進入下個流程。 2. 線程池判斷工作隊列是否已滿。如果工作隊列沒有滿,則將新提交的任務存儲在這個工作隊列里。如果工 ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...