日日操夜夜添-日日操影院-日日草夜夜操-日日干干-精品一区二区三区波多野结衣-精品一区二区三区高清免费不卡

公告:魔扣目錄網(wǎng)為廣大站長(zhǎng)提供免費(fèi)收錄網(wǎng)站服務(wù),提交前請(qǐng)做好本站友鏈:【 網(wǎng)站目錄:http://www.ylptlb.cn 】, 免友鏈快審服務(wù)(50元/站),

點(diǎn)擊這里在線咨詢客服
新站提交
  • 網(wǎng)站:51998
  • 待審:31
  • 小程序:12
  • 文章:1030137
  • 會(huì)員:747

最近在做創(chuàng)業(yè)項(xiàng)目的時(shí)候因?yàn)橛斜容^多的新需求,需要頻繁基于DDL生成MyBatis適合的實(shí)體、MApper接口和映射文件。其中,代碼生成器是MyBatis Generator(MBG),用到了Mybatis-Generator-Core相關(guān)依賴,這里通過(guò)一篇文章詳細(xì)地分析這個(gè)代碼生成器的使用方式。本文編寫的時(shí)候使用的Mybatis-Generator版本為1.4.0,其他版本沒有進(jìn)行過(guò)調(diào)研。

引入插件

Mybatis-Generator的運(yùn)行方式有很多種:

  • 基于mybatis-generator-core-x.x.x.jar和其XML配置文件,通過(guò)命令行運(yùn)行。
  • 通過(guò)Ant的Task結(jié)合其XML配置文件運(yùn)行。
  • 通過(guò)Maven插件運(yùn)行。
  • 通過(guò)JAVA代碼和其XML配置文件運(yùn)行。
  • 通過(guò)Java代碼和編程式配置運(yùn)行。
  • 通過(guò)Eclipse Feature運(yùn)行。

這里只介紹通過(guò)Maven插件運(yùn)行和通過(guò)Java代碼和其XML配置文件運(yùn)行這兩種方式,兩種方式有個(gè)特點(diǎn):都要提前編寫好XML配置文件。個(gè)人感覺XML配置文件相對(duì)直觀,后文會(huì)花大量篇幅去說(shuō)明XML配置文件中的配置項(xiàng)及其作用。這里先注意一點(diǎn):默認(rèn)的配置文件為
ClassPath:generatorConfig.xml。

通過(guò)編碼和配置文件運(yùn)行

通過(guò)編碼方式去運(yùn)行插件先需要引入mybatis-generator-core依賴,編寫本文的時(shí)候最新的版本為:

<dependency>
    <groupId>org.mybatis.generator</groupId>
    <artifactId>mybatis-generator-core</artifactId>
    <version>1.4.0</version>
</dependency>

假設(shè)編寫好的XML配置文件是ClassPath下的
generator-configuration.xml,那么使用代碼生成器的編碼方式大致如下:

List<String> warnings = new ArrayList<>();
// 如果已經(jīng)存在生成過(guò)的文件是否進(jìn)行覆蓋
boolean overwrite = true;
File configFile = new File("ClassPath路徑/generator-configuration.xml");
ConfigurationParser cp = new ConfigurationParser(warnings);
Configuration config = cp.parseConfiguration(configFile);
DefaultShellCallback callback = new DefaultShellCallback(overwrite);
MyBatisGenerator generator = new MyBatisGenerator(config, callback, warnings);
generator.generate(null);

通過(guò)Maven插件運(yùn)行

如果使用Maven插件,那么不需要引入mybatis-generator-core依賴,只需要引入一個(gè)Maven的插件
mybatis-generator-maven-plugin:

<plugins>
    <plugin>
        <groupId>org.mybatis.generator</groupId>
        <artifactId>mybatis-generator-maven-plugin</artifactId>
        <version>1.4.0</version>
        <executions>
            <execution>
                <id>Generate MyBatis Artifacts</id>
                <goals>
                    <goal>generate</goal>
                </goals>
            </execution>
        </executions>
        <configuration>
            <!-- 輸出詳細(xì)信息 -->
            <verbose>true</verbose>
            <!-- 覆蓋生成文件 -->
            <overwrite>true</overwrite>
            <!-- 定義配置文件 -->
            <configurationFile>${basedir}/src/main/resources/generator-configuration.xml</configurationFile>
        </configuration>
    </plugin>
</plugins>


mybatis-generator-maven-plugin的更詳細(xì)配置和可選參數(shù)可以參考:Running With Maven。插件配置完畢之后,使用下面的命令即可運(yùn)行:

mvn mybatis-generator:generate

XML配置文件詳解

XML配置文件才是Mybatis-Generator的核心,它用于控制代碼生成的所有行為。所有非標(biāo)簽獨(dú)有的公共配置的Key可以在mybatis-generator-core的PropertyRegistry類中找到。下面是一個(gè)相對(duì)完整的配置文件的模板:

<?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE generatorConfiguration
  PUBLIC "-//mybatis.org//DTD MyBatis Generator Configuration 1.0//EN"
  "http://mybatis.org/dtd/mybatis-generator-config_1_0.dtd">

<generatorConfiguration>

  <properties resource="db.properties"/>

  <classPathEntry location="/Program Files/IBM/SQLLIB/java/db2java.zip" />

  <context id="DB2Tables" targetRuntime="MyBatis3">

    <jdbcConnection driverClass="COM.ibm.db2.jdbc.app.DB2Driver"
        connectionURL="jdbc:db2:TEST"
        userId="db2admin"
        password="db2admin">
    </jdbcConnection>

    <plugin type="org.mybatis.generator.plugins.SerializablePlugin"/>

    <commentGenerator>
        <property name="suppressDate" value="true"/>
        <property name="suppressAllComments" value="true"/>
    </commentGenerator>

    <javaTypeResolver>
      <property name="forceBigDecimals" value="false" />
    </javaTypeResolver>

    <javaModelGenerator targetPackage="test.model" targetProject="MBGTestProjectsrc">
      <property name="enableSubPackages" value="true" />
      <property name="trimStrings" value="true" />
    </javaModelGenerator>

    <sqlMapGenerator targetPackage="test.xml"  targetProject="MBGTestProjectsrc">
      <property name="enableSubPackages" value="true" />
    </sqlMapGenerator>

    <javaClientGenerator type="XMLMAPPER" targetPackage="test.dao"  targetProject="MBGTestProjectsrc">
      <property name="enableSubPackages" value="true" />
    </javaClientGenerator>

    <table schema="DB2ADMIN" tableName="ALLTYPES" domainObjectName="Customer" >
      <property name="useActualColumnNames" value="true"/>
      <generatedKey column="ID" sqlStatement="DB2" identity="true" />
      <columnOverride column="DATE_FIELD" property="startDate" />
      <ignoreColumn column="FRED" />
      <columnOverride column="LONG_VARCHAR_FIELD" jdbcType="VARCHAR" />
    </table>

  </context>
</generatorConfiguration>

配置文件中,最外層的標(biāo)簽為<generatorConfiguration>,它的子標(biāo)簽包括:

  • 0或者1個(gè)<properties>標(biāo)簽,用于指定全局配置文件,下面可以通過(guò)占位符的形式讀取<properties>指定文件中的值。
  • 0或者N個(gè)<classPathEntry>標(biāo)簽,<classPathEntry>只有一個(gè)location屬性,用于指定數(shù)據(jù)源驅(qū)動(dòng)包(jar或者zip)的絕對(duì)路徑,具體選擇什么驅(qū)動(dòng)包取決于連接什么類型的數(shù)據(jù)源。
  • 1或者N個(gè)<context>標(biāo)簽,用于運(yùn)行時(shí)的解析模式和具體的代碼生成行為,所以這個(gè)標(biāo)簽里面的配置是最重要的。

下面分別列舉和分析一下<context>標(biāo)簽和它的主要子標(biāo)簽的一些屬性配置和功能。

context標(biāo)簽

<context>標(biāo)簽在mybatis-generator-core中對(duì)應(yīng)的實(shí)現(xiàn)類為
org.mybatis.generator.config.Context,它除了大量的子標(biāo)簽配置之外,比較主要的屬性是:

  • id:Context示例的唯一ID,用于輸出錯(cuò)誤信息時(shí)候作為唯一標(biāo)記。
  • targetRuntime:用于執(zhí)行代碼生成模式。
  • defaultModelType :控制 Domain 類的生成行為。執(zhí)行引擎為 MyBatis3DynamicSql 或者 MyBatis3Kotlin 時(shí)忽略此配置,可選值: conditional:默認(rèn)值,類似hierarchical,但是只有一個(gè)主鍵的時(shí)候會(huì)合并所有屬性生成在同一個(gè)類。 flat:所有內(nèi)容全部生成在一個(gè)對(duì)象中。 hierarchical:鍵生成一個(gè)XXKey對(duì)象,Blob等單獨(dú)生成一個(gè)對(duì)象,其他簡(jiǎn)單屬性在一個(gè)對(duì)象中。

targetRuntime屬性的可選值比較多,這里做個(gè)簡(jiǎn)單的小結(jié):

屬性

功能描述

MyBatis3DynamicSql

默認(rèn)值,兼容JDK8+和MyBatis 3.4.2+,不會(huì)生成XML映射文件,忽略<sqlMapGenerator>的配置項(xiàng),也就是Mapper全部注解化,依賴于MyBatis Dynamic SQL類庫(kù)

MyBatis3Kotlin

行為類似于MyBatis3DynamicSql,不過(guò)兼容Kotlin的代碼生成

MyBatis3

提供基本的基于動(dòng)態(tài)SQL的CRUD方法和XXXByExample方法,會(huì)生成XML映射文件

MyBatis3Simple

提供基本的基于動(dòng)態(tài)SQL的CRUD方法,會(huì)生成XML映射文件

MyBatis3DynamicSqlV1

已經(jīng)過(guò)時(shí),不推薦使用

筆者偏向于把SQL文件和代碼分離,所以一般選用MyBatis3或者M(jìn)yBatis3Simple。例如:

<context id="default" targetRuntime="MyBatis3">

<context>標(biāo)簽支持0或N個(gè)<property>標(biāo)簽,<property>的可選屬性有:

property屬性

功能描述

默認(rèn)值

備注

autoDelimitKeywords

是否使用分隔符號(hào)括住數(shù)據(jù)庫(kù)關(guān)鍵字

false

例如MySQL中會(huì)使用反引號(hào)括住關(guān)鍵字

beginningDelimiter

分隔符號(hào)的開始符號(hào)

"

 

endingDelimiter

分隔符號(hào)的結(jié)束號(hào)

"

 

javaFileEncoding

文件的編碼

系統(tǒng)默認(rèn)值

來(lái)源于java.nio.charset.Charset

javaFormatter

類名和文件格式化器

DefaultJavaFormatter

見JavaFormatter和DefaultJavaFormatter

targetJava8

是否JDK8和啟動(dòng)其特性

true

 

kotlinFileEncoding

Kotlin文件編碼

系統(tǒng)默認(rèn)值

來(lái)源于java.nio.charset.Charset

kotlinFormatter

Kotlin類名和文件格式化器

DefaultKotlinFormatter

見KotlinFormatter和DefaultKotlinFormatter

xmlFormatter

XML文件格式化器

DefaultXmlFormatter

見XmlFormatter和DefaultXmlFormatter

jdbcConnection標(biāo)簽

<jdbcConnection>標(biāo)簽用于指定數(shù)據(jù)源的連接信息,它在mybatis-generator-core中對(duì)應(yīng)的實(shí)現(xiàn)類為
org.mybatis.generator.config.JDBCConnectionConfiguration,主要屬性包括:

屬性

功能描述

是否必須

driverClass

數(shù)據(jù)源驅(qū)動(dòng)的全類名

Y

connectionURL

JDBC的連接URL

Y

userId

連接到數(shù)據(jù)源的用戶名

N

password

連接到數(shù)據(jù)源的密碼

N

commentGenerator標(biāo)簽

<commentGenerator>標(biāo)簽是可選的,用于控制生成的實(shí)體的注釋內(nèi)容。它在mybatis-generator-core中對(duì)應(yīng)的實(shí)現(xiàn)類為
org.mybatis.generator.internal.DefaultCommentGenerator,可以通過(guò)可選的type屬性指定一個(gè)自定義的CommentGenerator實(shí)現(xiàn)。<commentGenerator>標(biāo)簽支持0或N個(gè)<property>標(biāo)簽,<property>的可選屬性有:

property屬性

功能描述

默認(rèn)值

suppressAllComments

是否生成注釋

false

suppressDate

是否在注釋中添加生成的時(shí)間戳

false

dateFormat

配合suppressDate使用,指定輸出時(shí)間戳的格式

java.util.Date#toString()

addRemarkComments

是否輸出表和列的Comment信息

false

筆者建議保持默認(rèn)值,也就是什么注釋都不輸出,生成代碼干凈的實(shí)體。

javaTypeResolver標(biāo)簽

<javaTypeResolver>標(biāo)簽是<context>的子標(biāo)簽,用于解析和計(jì)算數(shù)據(jù)庫(kù)列類型和Java類型的映射關(guān)系,該標(biāo)簽只包含一個(gè)type屬性,用于指定
org.mybatis.generator.api.JavaTypeResolver接口的實(shí)現(xiàn)類。<javaTypeResolver>標(biāo)簽支持0或N個(gè)<property>標(biāo)簽,<property>的可選屬性有:

property屬性

功能描述

默認(rèn)值

forceBigDecimals

是否強(qiáng)制把所有的數(shù)字類型強(qiáng)制使用java.math.BigDecimal類型表示

false

useJSR310Types

是否支持JSR310,主要是JSR310的新日期類型

false

如果useJSR310Types屬性設(shè)置為true,那么生成代碼的時(shí)候類型映射關(guān)系如下(主要針對(duì)日期時(shí)間類型):

數(shù)據(jù)庫(kù)(JDBC)類型

Java類型

DATE

java.time.LocalDate

TIME

java.time.LocalTime

TIMESTAMP

java.time.LocalDateTime

TIME_WITH_TIMEZONE

java.time.OffsetTime

TIMESTAMP_WITH_TIMEZONE

java.time.OffsetDateTime

引入mybatis-generator-core后,可以查看JavaTypeResolver的默認(rèn)實(shí)現(xiàn)為
JavaTypeResolverDefaultImpl,從它的源碼可以得知一些映射關(guān)系:

BIGINT --> Long
BIT --> Boolean
INTEGER --> Integer
SMALLINT --> Short
TINYINT --> Byte
......

有些時(shí)候,我們希望INTEGER、SMALLINT和TINYINT都映射為Integer,那么我們需要覆蓋
JavaTypeResolverDefaultImpl的構(gòu)造方法:

public class DefaultJavaTypeResolver extends JavaTypeResolverDefaultImpl {

    public DefaultJavaTypeResolver() {
        super();
        typeMap.put(Types.SMALLINT, new JdbcTypeInformation("SMALLINT",
                new FullyQualifiedJavaType(Integer.class.getName())));
        typeMap.put(Types.TINYINT, new JdbcTypeInformation("TINYINT",
                new FullyQualifiedJavaType(Integer.class.getName())));
    }
}

注意一點(diǎn)的是這種自定義實(shí)現(xiàn)JavaTypeResolver接口的方式使用編程式運(yùn)行MBG會(huì)相對(duì)方便,如果需要使用Maven插件運(yùn)行,那么需要把上面的DefaultJavaTypeResolver類打包到插件中。

javaModelGenerator標(biāo)簽

<javaModelGenerator標(biāo)簽>標(biāo)簽是<context>的子標(biāo)簽,主要用于控制實(shí)體(Model)類的代碼生成行為。它支持的屬性如下:

屬性

功能描述

是否必須

備注

targetPackage

生成的實(shí)體類的包名

Y

例如club.throwable.model

targetProject

生成的實(shí)體類文件相對(duì)于項(xiàng)目(根目錄)的位置

Y

例如src/main/java

<javaModelGenerator標(biāo)簽>標(biāo)簽支持0或N個(gè)<property>標(biāo)簽,<property>的可選屬性有:

property屬性

功能描述

默認(rèn)值

備注

constructorBased

是否生成一個(gè)帶有所有字段屬性的構(gòu)造函數(shù)

false

MyBatis3Kotlin模式下忽略此屬性配置

enableSubPackages

是否允許通過(guò)Schema生成子包

false

如果為true,例如包名為club.throwable,如果Schema為xyz,那么實(shí)體類文件最終會(huì)生成在club.throwable.xyz目錄

exampleTargetPackage

生成的伴隨實(shí)體類的Example類的包名

-

-

exampleTargetProject

生成的伴隨實(shí)體類的Example類文件相對(duì)于項(xiàng)目(根目錄)的位置

-

-

immutable

是否不可變

false

如果為true,則不會(huì)生成Setter方法,所有字段都使用final修飾,提供一個(gè)帶有所有字段屬性的構(gòu)造函數(shù)

rootClass

為生成的實(shí)體類添加父類

-

通過(guò)value指定父類的全類名即可

trimStrings

Setter方法是否對(duì)字符串類型進(jìn)行一次trim操作

false

-

javaClientGenerator標(biāo)簽

<javaClientGenerator>標(biāo)簽是<context>的子標(biāo)簽,主要用于控制Mapper接口的代碼生成行為。它支持的屬性如下:

屬性

功能描述

是否必須

備注

type

Mapper接口生成策略

Y

<context>標(biāo)簽的targetRuntime屬性為MyBatis3DynamicSql或者M(jìn)yBatis3Kotlin時(shí)此屬性配置忽略

targetPackage

生成的Mapper接口的包名

Y

例如club.throwable.mapper

targetProject

生成的Mapper接口文件相對(duì)于項(xiàng)目(根目錄)的位置

Y

例如src/main/java

type屬性的可選值如下:

  • ANNOTATEDMAPPER:Mapper接口生成的時(shí)候依賴于注解和SqlProviders(也就是純注解實(shí)現(xiàn)),不會(huì)生成XML映射文件。
  • XMLMAPPER:Mapper接口生成接口方法,對(duì)應(yīng)的實(shí)現(xiàn)代碼生成在XML映射文件中(也就是純映射文件實(shí)現(xiàn))。
  • MIXEDMAPPER:Mapper接口生成的時(shí)候復(fù)雜的方法實(shí)現(xiàn)生成在XML映射文件中,而簡(jiǎn)單的實(shí)現(xiàn)通過(guò)注解和SqlProviders實(shí)現(xiàn)(也就是注解和映射文件混合實(shí)現(xiàn))。

注意兩點(diǎn):

  • <context>標(biāo)簽的targetRuntime屬性指定為MyBatis3Simple的時(shí)候,type只能選用ANNOTATEDMAPPER或者XMLMAPPER。
  • <context>標(biāo)簽的targetRuntime屬性指定為MyBatis3的時(shí)候,type可以選用ANNOTATEDMAPPER、XMLMAPPER或者M(jìn)IXEDMAPPER。

<javaClientGenerator>標(biāo)簽支持0或N個(gè)<property>標(biāo)簽,<property>的可選屬性有:

property屬性

功能描述

默認(rèn)值

備注

enableSubPackages

是否允許通過(guò)Schema生成子包

false

如果為true,例如包名為club.throwable,如果Schema為xyz,那么Mapper接口文件最終會(huì)生成在club.throwable.xyz目錄

useLegacyBuilder

是否通過(guò)SQL Builder生成動(dòng)態(tài)SQL

false

 

rootInterface

為生成的Mapper接口添加父接口

-

通過(guò)value指定父接口的全類名即可

sqlMapGenerator標(biāo)簽

<sqlMapGenerator>標(biāo)簽是<context>的子標(biāo)簽,主要用于控制XML映射文件的代碼生成行為。它支持的屬性如下:

屬性

功能描述

是否必須

備注

targetPackage

生成的XML映射文件的包名

Y

例如mappings

targetProject

生成的XML映射文件相對(duì)于項(xiàng)目(根目錄)的位置

Y

例如src/main/resources

<sqlMapGenerator>標(biāo)簽支持0或N個(gè)<property>標(biāo)簽,<property>的可選屬性有:

property屬性

功能描述

默認(rèn)值

備注

enableSubPackages

是否允許通過(guò)Schema生成子包

false

-

plugin標(biāo)簽

<plugin>標(biāo)簽是<context>的子標(biāo)簽,用于引入一些插件對(duì)代碼生成的一些特性進(jìn)行擴(kuò)展,該標(biāo)簽只包含一個(gè)type屬性,用于指定
org.mybatis.generator.api.Plugin接口的實(shí)現(xiàn)類。內(nèi)置的插件實(shí)現(xiàn)見Supplied Plugins。例如:引入org.mybatis.generator.plugins.SerializablePlugin插件會(huì)讓生成的實(shí)體類自動(dòng)實(shí)現(xiàn)java.io.Serializable接口并且添加serialVersionUID屬性。

table標(biāo)簽

<table>標(biāo)簽是<context>的子標(biāo)簽,主要用于配置要生成代碼的數(shù)據(jù)庫(kù)表格,定制一些代碼生成行為等等。它支持的屬性眾多,列舉如下:

屬性

功能描述

是否必須

備注

tableName

數(shù)據(jù)庫(kù)表名稱

Y

例如t_order

schema

數(shù)據(jù)庫(kù)Schema

N

-

catalog

數(shù)據(jù)庫(kù)Catalog

N

-

alias

表名稱標(biāo)簽

N

如果指定了此值,則查詢列的時(shí)候結(jié)果格式為alias_column

domainObjectName

表對(duì)應(yīng)的實(shí)體類名稱,可以通過(guò).指定包路徑

N

如果指定了bar.User,則包名為bar,實(shí)體類名稱為User

mapperName

表對(duì)應(yīng)的Mapper接口類名稱,可以通過(guò).指定包路徑

N

如果指定了bar.UserMapper,則包名為bar,Mapper接口類名稱為UserMapper

sqlProviderName

動(dòng)態(tài)SQL提供類SqlProvider的類名稱

N

-

enableInsert

是否允許生成insert方法

N

默認(rèn)值為true,執(zhí)行引擎為MyBatis3DynamicSql或者M(jìn)yBatis3Kotlin時(shí)忽略此配置

enableSelectByPrimaryKey

是否允許生成selectByPrimaryKey方法

N

默認(rèn)值為true,執(zhí)行引擎為MyBatis3DynamicSql或者M(jìn)yBatis3Kotlin時(shí)忽略此配置

enableSelectByExample

是否允許生成selectByExample方法

N

默認(rèn)值為true,執(zhí)行引擎為MyBatis3DynamicSql或者M(jìn)yBatis3Kotlin時(shí)忽略此配置

enableUpdateByPrimaryKey

是否允許生成updateByPrimaryKey方法

N

默認(rèn)值為true,執(zhí)行引擎為MyBatis3DynamicSql或者M(jìn)yBatis3Kotlin時(shí)忽略此配置

enableDeleteByPrimaryKey

是否允許生成deleteByPrimaryKey方法

N

默認(rèn)值為true,執(zhí)行引擎為MyBatis3DynamicSql或者M(jìn)yBatis3Kotlin時(shí)忽略此配置

enableDeleteByExample

是否允許生成deleteByExample方法

N

默認(rèn)值為true,執(zhí)行引擎為MyBatis3DynamicSql或者M(jìn)yBatis3Kotlin時(shí)忽略此配置

enableCountByExample

是否允許生成countByExample方法

N

默認(rèn)值為true,執(zhí)行引擎為MyBatis3DynamicSql或者M(jìn)yBatis3Kotlin時(shí)忽略此配置

enableUpdateByExample

是否允許生成updateByExample方法

N

默認(rèn)值為true,執(zhí)行引擎為MyBatis3DynamicSql或者M(jìn)yBatis3Kotlin時(shí)忽略此配置

selectByPrimaryKeyQueryId

value指定對(duì)應(yīng)的主鍵列提供列表查詢功能

N

執(zhí)行引擎為MyBatis3DynamicSql或者M(jìn)yBatis3Kotlin時(shí)忽略此配置

selectByExampleQueryId

value指定對(duì)應(yīng)的查詢ID提供列表查詢功能

N

執(zhí)行引擎為MyBatis3DynamicSql或者M(jìn)yBatis3Kotlin時(shí)忽略此配置

modelType

覆蓋<context>的defaultModelType屬性

N

見<context>的defaultModelType屬性

escapeWildcards

是否對(duì)通配符進(jìn)行轉(zhuǎn)義

N

-

delimitIdentifiers

標(biāo)記匹配表名稱的時(shí)候是否需要使用分隔符去標(biāo)記生成的SQL

N

-

delimitAllColumns

是否所有的列都添加分隔符

N

默認(rèn)值為false,如果設(shè)置為true,所有列名會(huì)添加起始和結(jié)束分隔符

<table>標(biāo)簽支持0或N個(gè)<property>標(biāo)簽,<property>的可選屬性有:

property屬性

功能描述

默認(rèn)值

備注

constructorBased

是否為實(shí)體類生成一個(gè)帶有所有字段的構(gòu)造函數(shù)

false

執(zhí)行引擎為MyBatis3Kotlin的時(shí)候此屬性忽略

ignoreQualifiersAtRuntime

是否在運(yùn)行時(shí)忽略別名

false

如果為true,則不會(huì)在生成表的時(shí)候把schema和catalog作為表的前綴

immutable

實(shí)體類是否不可變

false

執(zhí)行引擎為MyBatis3Kotlin的時(shí)候此屬性忽略

modelOnly

是否僅僅生成實(shí)體類

false

-

rootClass

如果配置此屬性,則實(shí)體類會(huì)繼承此指定的超類

-

如果有主鍵屬性會(huì)把主鍵屬性在超類生成

rootInterface

如果配置此屬性,則實(shí)體類會(huì)實(shí)現(xiàn)此指定的接口

-

執(zhí)行引擎為MyBatis3Kotlin或者M(jìn)yBatis3DynamicSql的時(shí)候此屬性忽略

runtimeCatalog

指定運(yùn)行時(shí)的Catalog

-

當(dāng)生成表和運(yùn)行時(shí)的表的Catalog不一樣的時(shí)候可以使用該屬性進(jìn)行配置

runtimeSchema

指定運(yùn)行時(shí)的Schema

-

當(dāng)生成表和運(yùn)行時(shí)的表的Schema不一樣的時(shí)候可以使用該屬性進(jìn)行配置

runtimeTableName

指定運(yùn)行時(shí)的表名稱

-

當(dāng)生成表和運(yùn)行時(shí)的表的表名稱不一樣的時(shí)候可以使用該屬性進(jìn)行配置

selectAllOrderByClause

指定字句內(nèi)容添加到selectAll()方法的order by子句之中

-

執(zhí)行引擎為MyBatis3Simple的時(shí)候此屬性才適用

trimStrings

實(shí)體類的字符串類型屬性會(huì)做trim處理

-

執(zhí)行引擎為MyBatis3Kotlin的時(shí)候此屬性忽略

useActualColumnNames

是否使用列名作為實(shí)體類的屬性名

false

-

useColumnIndexes

XML映射文件中生成的ResultMap使用列索引定義而不是列名稱

false

執(zhí)行引擎為MyBatis3Kotlin或者M(jìn)yBatis3DynamicSql的時(shí)候此屬性忽略

useCompoundPropertyNames

是否把列名和列備注拼接起來(lái)生成實(shí)體類屬性名

false

-

<table>標(biāo)簽還支持眾多的非property的子標(biāo)簽:

  • 0或1個(gè)<generatedKey>用于指定主鍵生成的規(guī)則,指定此標(biāo)簽后會(huì)生成一個(gè)<selectKey>標(biāo)簽:
<!-- column:指定主鍵列 -->
<!-- sqlStatement:查詢主鍵的SQL語(yǔ)句,例如填寫了MySql,則使用SELECT LAST_INSERT_ID() -->
<!-- type:可選值為pre或者post,pre指定selectKey標(biāo)簽的order為BEFORE,post指定selectKey標(biāo)簽的order為AFTER -->
<!-- identity:true的時(shí)候,指定selectKey標(biāo)簽的order為AFTER -->
<generatedKey column="id" sqlStatement="MySql" type="post" identity="true" />
  • 0或1個(gè)<domainObjectRenamingRule>用于指定實(shí)體類重命名規(guī)則:
<!-- searchString中正則命中的實(shí)體類名部分會(huì)替換為replaceString -->
<domainObjectRenamingRule searchString="^Sys" replaceString=""/>
<!-- 例如 SysUser會(huì)變成User -->
<!-- 例如 SysUserMapper會(huì)變成UserMapper -->
  • 0或1個(gè)<columnRenamingRule>用于指定列重命名規(guī)則:
<!-- searchString中正則命中的列名部分會(huì)替換為replaceString -->
<columnRenamingRule searchString="^CUST_" replaceString=""/>
<!-- 例如 CUST_BUSINESS_NAME會(huì)變成BUSINESS_NAME(useActualColumnNames=true) -->
<!-- 例如 CUST_BUSINESS_NAME會(huì)變成businessName(useActualColumnNames=false) -->
  • 0或N個(gè)<columnOverride>用于指定具體列的覆蓋映射規(guī)則:
<!-- column:指定要覆蓋配置的列 -->
<!-- property:指定要覆蓋配置的屬性 -->
<!-- delimitedColumnName:是否為列名添加定界符,例如`{column}` -->
<!-- isGeneratedAlways:是否一定生成此列 -->
<columnOverride column="customer_name" property="customerName" javaType="" jdbcType="" typeHandler="" delimitedColumnName="" isGeneratedAlways="">
   <!-- 覆蓋table或者javaModelGenerator級(jí)別的trimStrings屬性配置 -->
   <property name="trimStrings" value="true"/>
<columnOverride/>
  • 0或N個(gè)<ignoreColumn>用于指定忽略生成的列:
<ignoreColumn column="version" delimitedColumnName="false"/>

實(shí)戰(zhàn)

如果需要深度定制一些代碼生成行為,建議引入mybatis-generator-core并且通過(guò)編程式執(zhí)行代碼生成方法,否則可以選用Maven插件。假設(shè)我們?cè)诒镜財(cái)?shù)據(jù)local有一張t_order表如下:

CREATE TABLE `t_order`
(
    id           BIGINT UNSIGNED PRIMARY KEY COMMENT '主鍵',
    order_id     VARCHAR(64)    NOT NULL COMMENT '訂單ID',
    create_time  DATETIME       NOT NULL DEFAULT CURRENT_TIMESTAMP COMMENT '創(chuàng)建時(shí)間',
    amount       DECIMAL(10, 2) NOT NULL DEFAULT 0 COMMENT '金額',
    order_status TINYINT        NOT NULL DEFAULT 0 COMMENT '訂單狀態(tài)',
    UNIQUE uniq_order_id (`order_id`)
) COMMENT '訂單表';

假設(shè)項(xiàng)目的結(jié)構(gòu)如下:

mbg-sample
  - main
   - java
    - club
     - throwable
   - resources

下面會(huì)基于此前提舉三個(gè)例子。編寫基礎(chǔ)的XML配置文件:

<?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE generatorConfiguration
        PUBLIC "-//mybatis.org//DTD MyBatis Generator Configuration 1.0//EN"
        "http://mybatis.org/dtd/mybatis-generator-config_1_0.dtd">
<generatorConfiguration>
    <!-- 驅(qū)動(dòng)包絕對(duì)路徑 -->
    <classPathEntry
            location="I:DevelopMaven-Repositorymysqlmysql-connector-java5.1.48mysql-connector-java-5.1.48.jar"/>

    <context id="default" targetRuntime="這里選擇合適的引擎">

        <property name="javaFileEncoding" value="UTF-8"/>

        <!-- 不輸出注釋 -->
        <commentGenerator>
            <property name="suppressDate" value="true"/>
            <property name="suppressAllComments" value="true"/>
        </commentGenerator>

        <jdbcConnection driverClass="com.mysql.jdbc.Driver"
                        connectionURL="jdbc:mysql://localhost:3306/local"
                        userId="root"
                        password="root">
        </jdbcConnection>


        <!-- 不強(qiáng)制把所有的數(shù)字類型轉(zhuǎn)化為BigDecimal -->
        <javaTypeResolver>
            <property name="forceBigDecimals" value="false"/>
        </javaTypeResolver>

        <javaModelGenerator targetPackage="club.throwable.entity" targetProject="src/main/java">
            <property name="enableSubPackages" value="true"/>
        </javaModelGenerator>

        <sqlMapGenerator targetPackage="mappings" targetProject="src/main/resources">
            <property name="enableSubPackages" value="true"/>
        </sqlMapGenerator>

        <javaClientGenerator type="這里選擇合適的Mapper類型" targetPackage="club.throwable.dao" targetProject="src/main/java">
            <property name="enableSubPackages" value="true"/>
        </javaClientGenerator>

        <table tableName="t_order"
               enableCountByExample="false"
               enableDeleteByExample="false"
               enableSelectByExample="false"
               enableUpdateByExample="false"
               domainObjectName="Order"
               mapperName="OrderMapper">
            <generatedKey column="id" sqlStatement="MySql"/>
        </table>
    </context>
</generatorConfiguration>

純注解

使用純注解需要引入mybatis-dynamic-sql:

<dependency>
    <groupId>org.mybatis.dynamic-sql</groupId>
    <artifactId>mybatis-dynamic-sql</artifactId>
    <version>1.1.4</version>
</dependency>

需要修改兩個(gè)位置:

<context id="default" targetRuntime="MyBatis3DynamicSql">
...

<javaClientGenerator type="ANNOTATEDMAPPER"
...

運(yùn)行結(jié)果會(huì)生成三個(gè)類:

// club.throwable.entity
public class Order {
    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    private Long id;

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    private String orderId;

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    private Date createTime;

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    private BigDecimal amount;

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    private Byte orderStatus;

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    public Long getId() {
        return id;
    }

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    public void setId(Long id) {
        this.id = id;
    }

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    public String getOrderId() {
        return orderId;
    }

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    public void setOrderId(String orderId) {
        this.orderId = orderId;
    }

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    public Date getCreateTime() {
        return createTime;
    }

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    public void setCreateTime(Date createTime) {
        this.createTime = createTime;
    }

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    public BigDecimal getAmount() {
        return amount;
    }

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    public void setAmount(BigDecimal amount) {
        this.amount = amount;
    }

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    public Byte getOrderStatus() {
        return orderStatus;
    }

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    public void setOrderStatus(Byte orderStatus) {
        this.orderStatus = orderStatus;
    }
}

// club.throwable.dao
public final class OrderDynamicSqlSupport {
    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    public static final Order order = new Order();

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    public static final SqlColumn<Long> id = order.id;

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    public static final SqlColumn<String> orderId = order.orderId;

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    public static final SqlColumn<Date> createTime = order.createTime;

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    public static final SqlColumn<BigDecimal> amount = order.amount;

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    public static final SqlColumn<Byte> orderStatus = order.orderStatus;

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    public static final class Order extends SqlTable {
        public final SqlColumn<Long> id = column("id", JDBCType.BIGINT);

        public final SqlColumn<String> orderId = column("order_id", JDBCType.VARCHAR);

        public final SqlColumn<Date> createTime = column("create_time", JDBCType.TIMESTAMP);

        public final SqlColumn<BigDecimal> amount = column("amount", JDBCType.DECIMAL);

        public final SqlColumn<Byte> orderStatus = column("order_status", JDBCType.TINYINT);

        public Order() {
            super("t_order");
        }
    }
}

@Mapper
public interface OrderMapper {
    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    BasicColumn[] selectList = BasicColumn.columnList(id, orderId, createTime, amount, orderStatus);

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    @SelectProvider(type=SqlProviderAdapter.class, method="select")
    long count(SelectStatementProvider selectStatement);

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    @DeleteProvider(type=SqlProviderAdapter.class, method="delete")
    int delete(DeleteStatementProvider deleteStatement);

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    @InsertProvider(type=SqlProviderAdapter.class, method="insert")
    @SelectKey(statement="SELECT LAST_INSERT_ID()", keyProperty="record.id", before=true, resultType=Long.class)
    int insert(InsertStatementProvider<Order> insertStatement);

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    @SelectProvider(type=SqlProviderAdapter.class, method="select")
    @Results(id="OrderResult", value = {
        @Result(column="id", property="id", jdbcType=JdbcType.BIGINT, id=true),
        @Result(column="order_id", property="orderId", jdbcType=JdbcType.VARCHAR),
        @Result(column="create_time", property="createTime", jdbcType=JdbcType.TIMESTAMP),
        @Result(column="amount", property="amount", jdbcType=JdbcType.DECIMAL),
        @Result(column="order_status", property="orderStatus", jdbcType=JdbcType.TINYINT)
    })
    Optional<Order> selectOne(SelectStatementProvider selectStatement);

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    @SelectProvider(type=SqlProviderAdapter.class, method="select")
    @Results(id="OrderResult", value = {
        @Result(column="id", property="id", jdbcType=JdbcType.BIGINT, id=true),
        @Result(column="order_id", property="orderId", jdbcType=JdbcType.VARCHAR),
        @Result(column="create_time", property="createTime", jdbcType=JdbcType.TIMESTAMP),
        @Result(column="amount", property="amount", jdbcType=JdbcType.DECIMAL),
        @Result(column="order_status", property="orderStatus", jdbcType=JdbcType.TINYINT)
    })
    List<Order> selectMany(SelectStatementProvider selectStatement);

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    @UpdateProvider(type=SqlProviderAdapter.class, method="update")
    int update(UpdateStatementProvider updateStatement);

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    default long count(CountDSLCompleter completer) {
        return MyBatis3Utils.countFrom(this::count, order, completer);
    }

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    default int delete(DeleteDSLCompleter completer) {
        return MyBatis3Utils.deleteFrom(this::delete, order, completer);
    }

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    default int deleteByPrimaryKey(Long id_) {
        return delete(c -> 
            c.where(id, isEqualTo(id_))
        );
    }

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    default int insert(Order record) {
        return MyBatis3Utils.insert(this::insert, record, order, c ->
            c.map(id).toProperty("id")
            .map(orderId).toProperty("orderId")
            .map(createTime).toProperty("createTime")
            .map(amount).toProperty("amount")
            .map(orderStatus).toProperty("orderStatus")
        );
    }

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    default int insertSelective(Order record) {
        return MyBatis3Utils.insert(this::insert, record, order, c ->
            c.map(id).toProperty("id")
            .map(orderId).toPropertyWhenPresent("orderId", record::getOrderId)
            .map(createTime).toPropertyWhenPresent("createTime", record::getCreateTime)
            .map(amount).toPropertyWhenPresent("amount", record::getAmount)
            .map(orderStatus).toPropertyWhenPresent("orderStatus", record::getOrderStatus)
        );
    }

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    default Optional<Order> selectOne(SelectDSLCompleter completer) {
        return MyBatis3Utils.selectOne(this::selectOne, selectList, order, completer);
    }

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    default List<Order> select(SelectDSLCompleter completer) {
        return MyBatis3Utils.selectList(this::selectMany, selectList, order, completer);
    }

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    default List<Order> selectDistinct(SelectDSLCompleter completer) {
        return MyBatis3Utils.selectDistinct(this::selectMany, selectList, order, completer);
    }

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    default Optional<Order> selectByPrimaryKey(Long id_) {
        return selectOne(c ->
            c.where(id, isEqualTo(id_))
        );
    }

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    default int update(UpdateDSLCompleter completer) {
        return MyBatis3Utils.update(this::update, order, completer);
    }

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    static UpdateDSL<UpdateModel> updateAllColumns(Order record, UpdateDSL<UpdateModel> dsl) {
        return dsl.set(id).equalTo(record::getId)
                .set(orderId).equalTo(record::getOrderId)
                .set(createTime).equalTo(record::getCreateTime)
                .set(amount).equalTo(record::getAmount)
                .set(orderStatus).equalTo(record::getOrderStatus);
    }

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    static UpdateDSL<UpdateModel> updateSelectiveColumns(Order record, UpdateDSL<UpdateModel> dsl) {
        return dsl.set(id).equalToWhenPresent(record::getId)
                .set(orderId).equalToWhenPresent(record::getOrderId)
                .set(createTime).equalToWhenPresent(record::getCreateTime)
                .set(amount).equalToWhenPresent(record::getAmount)
                .set(orderStatus).equalToWhenPresent(record::getOrderStatus);
    }

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    default int updateByPrimaryKey(Order record) {
        return update(c ->
            c.set(orderId).equalTo(record::getOrderId)
            .set(createTime).equalTo(record::getCreateTime)
            .set(amount).equalTo(record::getAmount)
            .set(orderStatus).equalTo(record::getOrderStatus)
            .where(id, isEqualTo(record::getId))
        );
    }

    @Generated("org.mybatis.generator.api.MyBatisGenerator")
    default int updateByPrimaryKeySelective(Order record) {
        return update(c ->
            c.set(orderId).equalToWhenPresent(record::getOrderId)
            .set(createTime).equalToWhenPresent(record::getCreateTime)
            .set(amount).equalToWhenPresent(record::getAmount)
            .set(orderStatus).equalToWhenPresent(record::getOrderStatus)
            .where(id, isEqualTo(record::getId))
        );
    }
}

極簡(jiǎn)XML映射文件

極簡(jiǎn)XML映射文件生成只需要簡(jiǎn)單修改配置文件:

<context id="default" targetRuntime="MyBatis3Simple">
...

<javaClientGenerator type="XMLMAPPER"
...

生成三個(gè)文件:

// club.throwable.entity
public class Order {
    private Long id;

    private String orderId;

    private Date createTime;

    private BigDecimal amount;

    private Byte orderStatus;

    public Long getId() {
        return id;
    }

    public void setId(Long id) {
        this.id = id;
    }

    public String getOrderId() {
        return orderId;
    }

    public void setOrderId(String orderId) {
        this.orderId = orderId;
    }

    public Date getCreateTime() {
        return createTime;
    }

    public void setCreateTime(Date createTime) {
        this.createTime = createTime;
    }

    public BigDecimal getAmount() {
        return amount;
    }

    public void setAmount(BigDecimal amount) {
        this.amount = amount;
    }

    public Byte getOrderStatus() {
        return orderStatus;
    }

    public void setOrderStatus(Byte orderStatus) {
        this.orderStatus = orderStatus;
    }
}

// club.throwable.dao
public interface OrderMapper {
    int deleteByPrimaryKey(Long id);

    int insert(Order record);

    Order selectByPrimaryKey(Long id);

    List<Order> selectAll();

    int updateByPrimaryKey(Order record);
}

// mappings
<?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE mapper PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN" "http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mapper namespace="club.throwable.dao.OrderMapper">
    <resultMap id="BaseResultMap" type="club.throwable.entity.Order">
        <id column="id" jdbcType="BIGINT" property="id"/>
        <result column="order_id" jdbcType="VARCHAR" property="orderId"/>
        <result column="create_time" jdbcType="TIMESTAMP" property="createTime"/>
        <result column="amount" jdbcType="DECIMAL" property="amount"/>
        <result column="order_status" jdbcType="TINYINT" property="orderStatus"/>
    </resultMap>
    <delete id="deleteByPrimaryKey" parameterType="java.lang.Long">
        delete
        from t_order
        where id = #{id,jdbcType=BIGINT}
    </delete>
    <insert id="insert" parameterType="club.throwable.entity.Order">
        <selectKey keyProperty="id" order="AFTER" resultType="java.lang.Long">
            SELECT LAST_INSERT_ID()
        </selectKey>
        insert into t_order (order_id, create_time, amount,
        order_status)
        values (#{orderId,jdbcType=VARCHAR}, #{createTime,jdbcType=TIMESTAMP}, #{amount,jdbcType=DECIMAL},
        #{orderStatus,jdbcType=TINYINT})
    </insert>
    <update id="updateByPrimaryKey" parameterType="club.throwable.entity.Order">
        update t_order
        set order_id     = #{orderId,jdbcType=VARCHAR},
            create_time  = #{createTime,jdbcType=TIMESTAMP},
            amount       = #{amount,jdbcType=DECIMAL},
            order_status = #{orderStatus,jdbcType=TINYINT}
        where id = #{id,jdbcType=BIGINT}
    </update>
    <select id="selectByPrimaryKey" parameterType="java.lang.Long" resultMap="BaseResultMap">
        select id, order_id, create_time, amount, order_status
        from t_order
        where id = #{id,jdbcType=BIGINT}
    </select>
    <select id="selectAll" resultMap="BaseResultMap">
        select id, order_id, create_time, amount, order_status
        from t_order
    </select>
    <resultMap id="BaseResultMap" type="club.throwable.entity.Order">
        <id column="id" jdbcType="BIGINT" property="id"/>
        <result column="order_id" jdbcType="VARCHAR" property="orderId"/>
        <result column="create_time" jdbcType="TIMESTAMP" property="createTime"/>
        <result column="amount" jdbcType="DECIMAL" property="amount"/>
        <result column="order_status" jdbcType="TINYINT" property="orderStatus"/>
    </resultMap>
    <delete id="deleteByPrimaryKey" parameterType="java.lang.Long">
        delete
        from t_order
        where id = #{id,jdbcType=BIGINT}
    </delete>
    <insert id="insert" parameterType="club.throwable.entity.Order">
        <selectKey keyProperty="id" order="BEFORE" resultType="java.lang.Long">
            SELECT LAST_INSERT_ID()
        </selectKey>
        insert into t_order (id, order_id, create_time,
        amount, order_status)
        values (#{id,jdbcType=BIGINT}, #{orderId,jdbcType=VARCHAR}, #{createTime,jdbcType=TIMESTAMP},
        #{amount,jdbcType=DECIMAL}, #{orderStatus,jdbcType=TINYINT})
    </insert>
    <update id="updateByPrimaryKey" parameterType="club.throwable.entity.Order">
        update t_order
        set order_id     = #{orderId,jdbcType=VARCHAR},
            create_time  = #{createTime,jdbcType=TIMESTAMP},
            amount       = #{amount,jdbcType=DECIMAL},
            order_status = #{orderStatus,jdbcType=TINYINT}
        where id = #{id,jdbcType=BIGINT}
    </update>
    <select id="selectByPrimaryKey" parameterType="java.lang.Long" resultMap="BaseResultMap">
        select id, order_id, create_time, amount, order_status
        from t_order
        where id = #{id,jdbcType=BIGINT}
    </select>
    <select id="selectAll" resultMap="BaseResultMap">
        select id, order_id, create_time, amount, order_status
        from t_order
    </select>
</mapper>

編程式自定義類型映射

筆者喜歡把所有的非長(zhǎng)整型的數(shù)字,統(tǒng)一使用Integer接收,因此需要自定義類型映射。編寫映射器如下:

public class DefaultJavaTypeResolver extends JavaTypeResolverDefaultImpl {

    public DefaultJavaTypeResolver() {
        super();
        typeMap.put(Types.SMALLINT, new JdbcTypeInformation("SMALLINT",
                new FullyQualifiedJavaType(Integer.class.getName())));
        typeMap.put(Types.TINYINT, new JdbcTypeInformation("TINYINT",
                new FullyQualifiedJavaType(Integer.class.getName())));
    }
}

此時(shí)最好使用編程式運(yùn)行代碼生成器,修改XML配置文件:

<javaTypeResolver type="club.throwable.mbg.DefaultJavaTypeResolver">
        <property name="forceBigDecimals" value="false"/>
</javaTypeResolver>
...

運(yùn)行方法代碼如下:

public class Main {

    public static void main(String[] args) throws Exception {
        List<String> warnings = new ArrayList<>();
        // 如果已經(jīng)存在生成過(guò)的文件是否進(jìn)行覆蓋
        boolean overwrite = true;
        ConfigurationParser cp = new ConfigurationParser(warnings);
        Configuration config = cp.parseConfiguration(Main.class.getResourceAsStream("/generator-configuration.xml"));
        DefaultShellCallback callback = new DefaultShellCallback(overwrite);
        MyBatisGenerator generator = new MyBatisGenerator(config, callback, warnings);
        generator.generate(null);
    }
}

數(shù)據(jù)庫(kù)的order_status是TINYINT類型,生成出來(lái)的文件中的orderStatus字段全部替換使用Integer類型定義。

小結(jié)

本文相對(duì)詳盡地介紹了Mybatis Generator的使用方式,具體分析了XML配置文件中主要標(biāo)簽以及標(biāo)簽屬性的功能。因?yàn)镸ybatis在Java的ORM框架體系中還會(huì)有一段很長(zhǎng)的時(shí)間處于主流地位,了解Mybatis Generator可以簡(jiǎn)化CRUD方法模板代碼、實(shí)體以及Mapper接口代碼生成,從而解放大量生產(chǎn)力。Mybatis Generator有不少第三方的擴(kuò)展,例如tk.mapper或者mybatis-plus自身的擴(kuò)展,可能附加的功能不一樣,但是基本的使用是一致的。

分享到:
標(biāo)簽:Mybatis Generator
用戶無(wú)頭像

網(wǎng)友整理

注冊(cè)時(shí)間:

網(wǎng)站:5 個(gè)   小程序:0 個(gè)  文章:12 篇

  • 51998

    網(wǎng)站

  • 12

    小程序

  • 1030137

    文章

  • 747

    會(huì)員

趕快注冊(cè)賬號(hào),推廣您的網(wǎng)站吧!
最新入駐小程序

數(shù)獨(dú)大挑戰(zhàn)2018-06-03

數(shù)獨(dú)一種數(shù)學(xué)游戲,玩家需要根據(jù)9

答題星2018-06-03

您可以通過(guò)答題星輕松地創(chuàng)建試卷

全階人生考試2018-06-03

各種考試題,題庫(kù),初中,高中,大學(xué)四六

運(yùn)動(dòng)步數(shù)有氧達(dá)人2018-06-03

記錄運(yùn)動(dòng)步數(shù),積累氧氣值。還可偷

每日養(yǎng)生app2018-06-03

每日養(yǎng)生,天天健康

體育訓(xùn)練成績(jī)?cè)u(píng)定2018-06-03

通用課目體育訓(xùn)練成績(jī)?cè)u(píng)定