欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

详解mybatis-plus使用@EnumValue注解的方式对枚举类型的处理

程序员文章站 2022-03-10 22:03:27
前言:在开发中,我们经常会用到诸如:性别(男/女)、审核状态(未审核/审核中/已审核)之类的数据,通常会在数据库中使用一个数字类型的字段来标识,比如:性别,用1来表示男,2来表示女,而在代码中一般会定...

前言:

在开发中,我们经常会用到诸如:性别(男/女)、审核状态(未审核/审核中/已审核)之类的数据,通常会在数据库中使用一个数字类型的字段来标识,比如:性别,用1来表示男,2来表示女,而在代码中一般会定义成enum类型或静态常量来避免在业务代码中出现“0/1”这种魔法值,但是在数据库存储及前后端交互的时候,就需要进行转化;无论是在sql、前端还是后台转化,都需要写相应的代码,无形中增加了开发工作量;mybatis-plus实现了对该问题的处理,能够让我们在查询数据库时,直接能够返回字段标识的意思。配置如下:

第一步:

创建枚举类,在需要存储数据库的属性上添加@enumvalue注解,在需要前端展示的属性上添加@jsonvalue注解;

package com.demo.mybatisplus.constant;

import com.baomidou.mybatisplus.annotation.enumvalue;
import com.fasterxml.jackson.annotation.jsonvalue;

public enum sexenum {

 man(1, "男"),
 woman(2, "女");

 @enumvalue
 private integer key;

 @jsonvalue
 private string display;

 sexenum(integer key, string display) {
  this.key = key;
  this.display = display;
 }

 public integer getkey() {
  return key;
 }

 public string getdisplay() {
  return display;
 }
}

第二步:

application.properties文件里添加配置,定义扫描枚举类的包路径;

#配置枚举 支持通配符 * 或者 ; 分割
mybatis-plus.type-enums-package=com.demo.mybatisplus.constant
#mybatis-plus.configuration.default-enum-type-handler=org.apache.ibatis.type.enumordinaltypehandler

第三步:

pojo中的sex属性设置为枚举sexenum;

 @apimodelproperty(value = "性别")
 @tablefield("sex")
 private sexenum sex;

测试:

 @test
 public void insert() {
  userinfo userinfo = new userinfo();
  userinfo.setage(22);
  userinfo.setname("李四");
  userinfo.setsex(sexenum.woman);
  userinfomapper.insert(userinfo);
  system.out.println(userinfo);
 }

数据库保存的值:

id name age sex
1 张三 11 1
2 李四 22 2
3 王五 33 1

前端显示的值:

[
 {"id":"1","name":"张三","age":11,"sex":"男"},
 {"id":"2","name":"李四","age":22,"sex":"女"},
 {"id":"3","name":"王五","age":33,"sex":"男"}
]

注意事项:

@enumvalue标记的枚举类属性的类型要和数据库字段的类型对应,否则在查询数据的时候无法转化为枚举类型,并显示为null;

如果查询的时候,数据库字段的值匹配不到枚举,程序运行时并不会报错,而是显示为null;

在保存的时候,前端需要传递@jsonvalue标记的枚举类属性的值,即"男/女";因为enum的属性ordinal(int),在测试过程中,传枚举值在枚举类中的定义顺序(或者称为索引,顺序从0开始),也可以转换为相应的枚举值,比如:上面定义的sexenum枚举,前端传0或者"0",会转换成man,传1或者"1"会转换成woman;传其他值会报异常:

com.fasterxml.jackson.databind.exc.invalidformatexception: cannot deserialize value of type com.demo.mybatisplus.constant.sexenum from string "3": not one of the values accepted for enum class: [女, 男]或com.fasterxml.jackson.databind.exc.invalidformatexception: cannot deserialize value of typecom.demo.mybatisplus.constant.sexenum from number 3: index value outside legal index range [0..2];

到此这篇关于详解mybatis-plus使用@enumvalue注解的方式对枚举类型的处理的文章就介绍到这了,更多相关mybatis-plus enumvalue枚举内容请搜索以前的文章或继续浏览下面的相关文章希望大家以后多多支持!