再見MybatisPlus,阿里推出新ORM框架

使用fluent mybatis也可以不用寫具體的 xml 文件,通過 java api 可以構造出比較複雜的業務 sql 語句,做到代碼邏輯和 sql 邏輯的合一。不再需要在 Dao 中組裝查詢或更新操作,或在 xml 與 mapper 中再組裝參數。那對比原生 Mybatis,Mybatis Plus 或者其他框架,FluentMybatis提供了哪些便利呢?

需求場景設置

我們通過一個比較典型的業務需求來具體實現和對比下,假如有學生成績表結構如下:

create table `student_score`
(
    id           bigint auto_increment comment '主鍵ID' primary key,
    student_id   bigint            not null comment '學號',
    gender_man   tinyint default 0 not null comment '性別, 0:女; 1:男',
    school_term  int               null comment '學期',
    subject      varchar(30)       null comment '學科',
    score        int               null comment '成績',
    gmt_create   datetime          not null comment '記錄創建時間',
    gmt_modified datetime          not null comment '記錄最後修改時間',
    is_deleted   tinyint default 0 not null comment '邏輯刪除標識'
) engine = InnoDB default charset=utf8;

現在有需求:

「統計 2000 年三門學科('英語', '數學', '語文')及格分數按學期,學科統計最低分,最高分和平均分, 且樣本數需要大於 1 條,統計結果按學期和學科排序」

我們可以寫 SQL 語句如下

select school_term,
       subject,
       count(score) as count,
       min(score)   as min_score,
       max(score)   as max_score,
       avg(score)   as max_score
from student_score
where school_term >= 2000
  and subject in ('英語', '數學', '語文')
  and score >= 60
  and is_deleted = 0
group by school_term, subject
having count(score) > 1
order by school_term, subject;

那上面的需求,分別用fluent mybatis, 原生mybatisMybatis plus來實現一番。

三者實現對比

使用fluent mybatis 來實現上面的功能

再見MybatisPlus,阿里推出新ORM框架

 

我們可以看到fluent api的能力,以及 IDE 對代碼的渲染效果。

換成mybatis原生實現效果

  1. 定義Mapper接口
public interface MyStudentScoreMapper {
    List<Map<String, Object>> summaryScore(SummaryQuery paras);
}
  1. 定義接口需要用到的參數實體 SummaryQuery
@Data
@Accessors(chain = true)
public class SummaryQuery {
    private Integer schoolTerm;

    private List<String> subjects;

    private Integer score;

    private Integer minCount;
}
  1. 定義實現業務邏輯的mapper xml文件
<select id="summaryScore" resultType="map" parameterType="cn.org.fluent.mybatis.springboot.demo.mapper.SummaryQuery">
    select school_term,
    subject,
    count(score) as count,
    min(score) as min_score,
    max(score) as max_score,
    avg(score) as max_score
    from student_score
    where school_term >= #{schoolTerm}
    and subject in
    <foreach collection="subjects" item="item" open="(" close=")" separator=",">
        #{item}
    </foreach>
    and score >= #{score}
    and is_deleted = 0
    group by school_term, subject
    having count(score) > #{minCount}
    order by school_term, subject
</select>
  1. 實現業務接口(這裏是測試類,實際應用中應該對應 Dao 類)
@RunWith(SpringRunner.class)
@SpringBootTest(classes = QuickStartApplication.class)
public class MybatisDemo {
    @Autowired
    private MyStudentScoreMapper mapper;

    @Test
    public void mybatis_demo() {
        // 構造查詢參數
        SummaryQuery paras = new SummaryQuery()
            .setSchoolTerm(2000)
            .setSubjects(Arrays.asList("英語", "數學", "語文"))
            .setScore(60)
            .setMinCount(1);

        List<Map<String, Object>> summary = mapper.summaryScore(paras);
        System.out.println(summary);
    }
}

總之,直接使用 mybatis,實現步驟還是相當的繁瑣,效率太低。那換成mybatis plus的效果怎樣呢?

換成mybatis plus實現效果

mybatis plus的實現比mybatis會簡單比較多,實現效果如下

再見MybatisPlus,阿里推出新ORM框架

 

如紅框圈出的,寫mybatis plus實現用到了比較多字符串的硬編碼(可以用 Entity 的 get lambda 方法部分代替字符串編碼)。字符串的硬編碼,會給開發同學造成不小的使用門檻,個人覺得主要有 2 點:

  1. 字段名稱的記憶和敲碼困難
  2. Entity 屬性跟隨數據庫字段發生變更後的運行時錯誤

其他框架,比如TkMybatis在封裝和易用性上比mybatis plus要弱,就不再比較了。

生成代碼編碼比較

fluent mybatis生成代碼設置

public class AppEntityGenerator {
    static final String url = "jdbc:mysql://localhost:3306/fluent_mybatis_demo?useSSL=false&useUnicode=true&characterEncoding=utf-8";

    public static void main(String[] args) {
        FileGenerator.build(Abc.class);
    }

    @Tables(
        /** 數據庫連接信息 **/
        url = url, username = "root", password = "password",
        /** Entity類parent package路徑 **/
        basePack = "cn.org.fluent.mybatis.springboot.demo",
        /** Entity代碼源目錄 **/
        srcDir = "spring-boot-demo/src/main/java",
        /** Dao代碼源目錄 **/
        daoDir = "spring-boot-demo/src/main/java",
        /** 如果表定義記錄創建,記錄修改,邏輯刪除字段 **/
        gmtCreated = "gmt_create", gmtModified = "gmt_modified", logicDeleted = "is_deleted",
        /** 需要生成文件的表 ( 表名稱:對應的Entity名稱 ) **/
        tables = @Table(value = {"student_score"})
    )
    static class Abc {
    }
}

mybatis plus代碼生成設置

public class CodeGenerator {

    static String dbUrl = "jdbc:mysql://localhost:3306/fluent_mybatis_demo?useSSL=false&useUnicode=true&characterEncoding=utf-8";

    @Test
    public void generateCode() {
        GlobalConfig config = new GlobalConfig();
        DataSourceConfig dataSourceConfig = new DataSourceConfig();
        dataSourceConfig.setDbType(DbType.MYSQL)
            .setUrl(dbUrl)
            .setUsername("root")
            .setPassword("password")
            .setDriverName(Driver.class.getName());
        StrategyConfig strategyConfig = new StrategyConfig();
        strategyConfig
            .setCapitalMode(true)
            .setEntityLombokModel(false)
            .setNaming(NamingStrategy.underline_to_camel)
            .setColumnNaming(NamingStrategy.underline_to_camel)
            .setEntityTableFieldAnnotationEnable(true)
            .setFieldPrefix(new String[]{"test_"})
            .setInclude(new String[]{"student_score"})
            .setLogicDeleteFieldName("is_deleted")
            .setTableFillList(Arrays.asList(
                new TableFill("gmt_create", FieldFill.INSERT),
                new TableFill("gmt_modified", FieldFill.INSERT_UPDATE)));

        config
            .setActiveRecord(false)
            .setIdType(IdType.AUTO)
            .setOutputDir(System.getProperty("user.dir") + "/src/main/java/")
            .setFileOverride(true);

        new AutoGenerator().setGlobalConfig(config)
            .setDataSource(dataSourceConfig)
            .setStrategy(strategyConfig)
            .setPackageInfo(
                new PackageConfig()
                    .setParent("com.mp.demo")
                    .setController("controller")
                    .setEntity("entity")
            ).execute();
    }
}

FluentMybatis特性一覽

再見MybatisPlus,阿里推出新ORM框架

 

三者對比總結

看完 3 個框架對同一個功能點的實現, 各位看官肯定會有自己的判斷,筆者這裏也總結了一份比較。

再見MybatisPlus,阿里推出新ORM框架

 

對 Fluent Mybatis 感興趣的網友,支持大家去閱讀官方源碼,發現更多新大陸!

發表評論
所有評論
還沒有人評論,想成為第一個評論的人麼? 請在上方評論欄輸入並且點擊發布.
相關文章