MySQL在mybatis中返回插入的自增id

一、使用 useGeneratedKeys 参数

Mybatis 配置文件 useGeneratedKeys 参数只针对 insert 语句生效,默认为 false。当设置为 true 时,表示如果插入的表以自增列为主键,则允许 JDBC 支持自动生成主键,并可将自动生成的主键返回。

keyColumn:数据库表中的自增字段名。

keyProperty:数据库自增字段在pojo中的对应属性

在mybati配置文件配置useGeneratedKeys

/*
 * 配置 useGeneratedKeys = true
 * */
   
   

<configuration>   
    <settings>   
        <setting name="useGeneratedKeys" value="true" />   
    settings>   
    <typeAliases>   
          
    typeAliases>   
    <environments default="development">   
       <environment id="development">   
           <dataSource>   
              
           dataSource>   
       environment>   
    environments>   
    <mappers>   
        <mapper resource="mappers/*.xml" />   
    mappers>   
configuration>

直接在sql中配置


    <insert id="insertGood" parameterType="com.shop.eshop.model.Good" useGeneratedKeys="true" keyColumn="id" keyProperty="id">
        INSERT INTO good(`name`,type,price,sale_price,stock,create_time)
        VALUES (#{name},#{type},#{price},#{salePrice},#{stock},#{createTime})
    insert>

但是,如果是Oracle这样不支持自增主键列的数据库,如果把useGeneratedKeys参数配置为true,在插入多条数据时则可能会出现 ORA-00933: SQL command not properly ended这样的错误。

这时,可以将 useGeneratedKeys 配置为 false,或者为了保证兼容性,使用 mybatis 提供的 selectKey 手动提供类似自增序列的效果。

"addUser" parameterType="com.model.User" >
    "id" resultType="_long" order="BEFORE">      
        select CAST(RANDOM * 100000 as INTEGER) a FROM SYSTEM.SYSDUMMY1
    


    insert into User(id, name, age) values(#{id}, #{name}, #{age})

二、使用selectKey

<insert id="insert">
 <selectKey keyProperty="id" resultType="int" order="BEFORE">
  <if test="_databaseId == 'oracle'">
   select seq_users.nextval from dual
  if>
  <if test="_databaseId == 'db2'">
   select nextval for seq_users from sysibm.sysdummy1"
  if>
 selectKey>
 insert into users values (#{id}, #{name})
insert>

order属性可以控制

selectKey在插入操作前或者操作后获取key值,做为字段插入或返回字段。(此段代码获取的序列值id作为字段值插入到users表中)

下面的则是插入完成后获取id

<selectKey keyProperty="id" resultType="int" order="AFTER">
        select LAST_INSERT_ID()
selectKey>

如果数据库支持自增长主键字段(比如mysql、sql server)设置useGeneratedKeys=”true”和keyProperty,这样就可以插入主键id值
oracle则不支持自增长id,设置useGeneratedKey=”false”,如果设置true则会有报错信息。通过nextval函数,如SEQ_table.Nextval生成id

插入更新一条数据时,可以使用selectKey获取id操作。当做多条数据插入更新时,而selectKey只能使用一次,此时应该使用useGeneratedKeys操作。

你可能感兴趣的:(MySQL)