【从零开始】springboot单元测试(一)
工作十来年,代码也写了不少,接受过“祖传屎山”,也经历过非常优雅规范的流程,一直心里有些遗憾的,是后来绝大部分公司(不分大小)都忽略了最低成本质量保证的方法:单元测试。虽然很多公司在提,但是很少有公司愿意给程序猿分配写单元测试相应的工作量,因为这玩意表面看起来投入收益不成正比,似乎都是在做无用功,但是在产品的整个生命周期,单元测试却是产品质量的最低保证。
长远考虑,程序猿还是需要在时间允许的情况下,把质量管控的第一道关卡把握好。
源码地址:https://gitee.com/chemors/springboot-unit-test-sample
springboot 2.7.4
hutool 5.8.8
lombok 1.18.24
<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>
package com.mos.springboot.unit.sample.entity;
import lombok.*;
import java.io.Serializable;
/**
* 学生
*
* @author 小尘哥
* @date 2022/10/13
*/
@Data
@Builder
@NoArgsConstructor
@AllArgsConstructor
@EqualsAndHashCode
public class Student implements Serializable {
/**
* id
*/
private String id;
/**
* 名字
*/
private String name;
/**
* 性别
*/
private String sex;
/**
* 校园卡卡号
*/
private Integer cardNum;
}
package com.mos.springboot.unit.sample.service.impl;
import com.mos.springboot.unit.sample.entity.Student;
import com.mos.springboot.unit.sample.service.IStudentService;
import org.springframework.stereotype.Service;
/**
* 学生服务
*
* @author 小尘哥
* @date 2022/10/13
*/
@Service
public class StudentServiceImpl implements IStudentService {
@Override
public Student getByCardNum(Integer cardNum) {
return createMock(cardNum);
}
private Student createMock(Integer cardNum){
return Student.builder().id("1").name("张三").cardNum(cardNum).build();
}
}
package com.mos.springboot.unit.sample;
import com.mos.springboot.unit.sample.entity.Student;
import com.mos.springboot.unit.sample.service.IStudentService;
import org.junit.jupiter.api.Assertions;
import org.junit.jupiter.api.DisplayName;
import org.junit.jupiter.api.Test;
import org.springframework.boot.test.context.SpringBootTest;
import javax.annotation.Resource;
@DisplayName("学生服务测试类")
@SpringBootTest
public class StudentServiceTest {
@Resource
private IStudentService studentService;
@DisplayName("根据校园卡号获取学生信息(有效卡号)")
@Test
public void validCardNum(){
Integer cardNum = 9999;
Student student = studentService.getByCardNum(cardNum);
Assertions.assertNotNull(student ,"student must not be null");
}
@DisplayName("根据校园卡号获取学生信息(无效卡号)")
@Test
public void unValidCardNum(){
try {
Student student = studentService.getByCardNum(Integer.parseInt("abc"));
}catch (Exception e){
Assertions.assertNotNull(e instanceof NumberFormatException ,"卡号转换失败,非number format异常");
}
}
}
本次是最基础的单元测试,主要注意以下几点: