只列举最主要的部分
方法一(获取自增主键,拥有自增主键的数据库例如:MySQL)
在insert
标签中,加入keyProperty
和useGeneratedKeys
两个属性:
<!-- MySQL中获取主键并插入1 -->
<insert id="insertUser" parameterType="user" keyProperty="userId" useGeneratedKeys="true">
insert into USER(u_id, u_name, u_pwd) values(#{userId}, #{userName}, #{userPassword})
</insert>
useGeneratedKeys
设置为true
,keyProperty
设置为出入对象的主键属性
。
这样,在执行了insertUser(User user)
方法后,是能取出user.userId
的。
方法二(获取非自增主键的值,没有原始自增主键的数据库例如:Oracle)
在insert标签中,添加selectKey子标签:
<!-- MySQL中获取主键并插入2 -->
<insert id="insertUser2" parameterType="user">
<selectKey keyProperty="userId" resultType="string" order="AFTER"
statementType="PREPARED">
SELECT @@IDENTITY as userId
</selectKey>
insert into USER(u_id, u_name, u_pwd) values(#{userId}, #{userName}, #{userPassword})
</insert>
-
selectKey
的keyProperty
属性对应对象的主键字段
,返回类型这里的java.lang.String
,一般是java.lang.Interger
。order
表示执行顺序,“AFTER”指在insert后执行,statementType
是指执行那种SQL处理方式,和JDBC一样的。 -
select @@IDENTITY as userId
是从数据库表属性中取出当前表中的主键值,但是只能在执行insert后才能查到值,否则为0
。后面的别名可以舍去。
另外,在MySQL中还有种方法能够查到主键值:
<!-- MySQL中获取主键并插入3 -->
<insert id="insertUser3" parameterType="user">
<selectKey keyProperty="userId" resultType="string" order="AFTER"
statementType="PREPARED">
SELECT LAST_INSERT_ID() AS userId
</selectKey>
insert into USER(u_id, u_name, u_pwd) values(#{userId}, #{userName}, #{userPassword})
</insert>
SELECT LAST_INSERT_ID() AS userId
是MySQL提供的一个聚合函数,也能够查询到最新的主键值,同上面一样,也只能在插入操作后才能进行查询,否则值为 0
。后面的别名也可以省略。
既然,MySQL可以这么操纵,那么要是没有主键的Oracle该怎么办呢?
注意:由于
Oracle
中没有主键,所以只能使用第二种方式。
所以其实,可以同过selectKey+序列的形式,来模拟主键
(弊端就是,此时的为主键是没有约束的,但是可以设置唯一,不过就增加了麻烦了)
<!-- Oracle中获取主键并插入 1 -->
<insert id="insertUser" parameterType="user" databaseId="oracle">
<selectKey databaseId="oracle" order="BEFORE" resultType="string"
keyProperty="userId">
select user_id_seq.nextval from dual
</selectKey>
insert into OUSER(u_id, u_name, u_pwd, u_sex) values(#{userId}, #{userName}, #{userPassword}, '1')
</insert>
<!-- Oracle中获取主键并插入 2 -->
<insert id="insertUser2" parameterType="user" databaseId="oracle">
<selectKey databaseId="oracle" order="AFTER" resultType="string"
keyProperty="userId">
select user_id_seq.currval from dual
</selectKey>
insert into OUSER(u_id, u_name, u_pwd, u_sex) values(user_id_seq.nextval, #{userName},#{userPassword},
'1')
</insert>
通过上面的xml配置可以看出来,其实和MySQL没有多大区别。
- 第一个 是需要
selectKey
首先执行,产生下个序列值,赋值给对象主键userId
,然后执行插入操作。 - 第二个 是直接先执行插入操作,直接插入
序列.nextval
值,然后selectKey
获取当前的序列值赋值给对象主键
。
这个稍微注意一下就OK了。
网友评论