MybatisPlus 自定义 TypeHandler 映射JSON类型为List

参考:

1. Mybatis TypeHandler 将数据库里的JSONAarry字符串转为java对象List

2. Java 泛型——类型擦除

 1. 实体类

        这里只展示需要映射的字段,分别在所需映射的字段和实体类上添加注解。 

@Data
@TableName(value = "report", autoResultMap = true)
public class Report {

    private static final long serialVersionUID = 1L;

    @ApiModelProperty("id")
    @TableId(value = "id", type = IdType.AUTO)
    private Integer id;

    @ApiModelProperty("报名信息")
    @TableField(typeHandler = ReportUserListTypeHandler.class)
    private List reportInfo;

}

2. ListTypeHandler

        提供一个 JSONArray 转换为 Java List集合的处理器

import cn.hutool.core.collection.CollUtil;
import cn.hutool.core.util.StrUtil;
import com.alibaba.fastjson.JSON;
import com.alibaba.fastjson.TypeReference;
import org.apache.ibatis.type.BaseTypeHandler;
import org.apache.ibatis.type.JdbcType;
import org.apache.ibatis.type.MappedJdbcTypes;
import org.apache.ibatis.type.MappedTypes;

import java.sql.CallableStatement;
import java.sql.PreparedStatement;
import java.sql.ResultSet;
import java.sql.SQLException;
import java.util.ArrayList;
import java.util.List;


@MappedJdbcTypes(JdbcType.VARBINARY)
@MappedTypes({List.class})
public abstract class ListTypeHandler extends BaseTypeHandler> {

    @Override
    public void setNonNullParameter(PreparedStatement ps, int i, List parameter, JdbcType jdbcType) throws SQLException {
        String content = CollUtil.isEmpty(parameter) ? null : JSON.toJSONString(parameter);
        ps.setString(i, content);
    }

    @Override
    public List getNullableResult(ResultSet rs, String columnName) throws SQLException {
        return this.getListByJsonArrayString(rs.getString(columnName));
    }

    @Override
    public List getNullableResult(ResultSet rs, int columnIndex) throws SQLException {
        return this.getListByJsonArrayString(rs.getString(columnIndex));
    }

    @Override
    public List getNullableResult(CallableStatement cs, int columnIndex) throws SQLException {
        return this.getListByJsonArrayString(cs.getString(columnIndex));
    }


    private List getListByJsonArrayString(String content) {
        return StrUtil.isBlank(content) ? new ArrayList<>() : JSON.parseObject(content, this.specificType());
    }

    /**
     * 具体类型,由子类提供
     *
     * @return 具体类型
     */
    protected abstract TypeReference> specificType();


}

3. ReportUserListTypeHandler

        由具体的子类提供List集合泛型类型

import com.alibaba.fastjson.TypeReference;
import com.hanku.business.model.ReportUser;

import java.util.List;


public class ReportUserListTypeHandler extends ListTypeHandler {

    @Override
    protected TypeReference> specificType() {
        return new TypeReference>() {
        };
    }
    
}

4. Java 泛型

        如果在 ListTypeHandler 类中直接提供 TypeReference> 这种类型,那就等效于TypeReference> 这种类型,后续 fastjson 在转换时无法确定具体的 Java 类型,转换后的类型最终就会是 List ;同理,如果使用 Jackson 作为 JSON 转换工具,不确定具体类型时,最总会被转换为LinkedHashMap 类型,都需要再使用 TypeReference 来转换一次。

你可能感兴趣的:(Mybatis-Plus,json,list,java,mybatis)