mybatis新增后返回id
时间: 2023-07-05 16:14:47 浏览: 104
在 MyBatis 中,可以通过 `useGeneratedKeys` 和 `keyProperty` 两个属性来实现插入后返回主键 ID 的功能。
在 Mapper.xml 文件中,需要在插入语句的 `<insert>` 标签中添加 `useGeneratedKeys` 属性,并将其值设置为 `true`,同时需要设置 `keyProperty` 属性为需要返回的主键 ID 字段名。例如:
```xml
<insert id="insertUser" parameterType="com.example.User" useGeneratedKeys="true" keyProperty="id">
insert into user (name, age) values (#{name}, #{age})
</insert>
```
在使用 MyBatis 的 `insert` 方法插入数据时,如果插入成功,就可以通过获取 `User` 对象的 `id` 属性来获取主键 ID 值。
```java
User user = new User();
user.setName("张三");
user.setAge(20);
userMapper.insertUser(user);
System.out.println(user.getId());
```
相关问题
mybatis新增后返回雪花id
在 MyBatis 中,如果你想要返回雪花id,可以在 SQL 语句中指定一个返回值为 UUID 的字段,然后在插入语句中使用 MyBatis 的 selectKey 标签获取新的 UUID 值,并将其赋值给需要返回的字段。
以下是一个示例:
```
<insert id="insert" parameterType="YourParameterType">
<selectKey keyProperty="id" resultType="java.util.UUID" order="AFTER">
SELECT UUID();
</selectKey>
INSERT INTO your_table (id, column1, column2)
VALUES (#{id}, #{column1}, #{column2})
</insert>
```
在这个示例中,我们使用 selectKey 标签获取新的 UUID 值,并将其赋值给 id 字段。注意,要将 selectKey 标签的 order 属性设置为 AFTER,以确保在插入语句执行之后再执行获取 UUID 的语句。
mybatis新增后返回主键id
可以使用selectKey标签来实现,在insert语句中添加selectKey标签,设置keyProperty为主键字段名,order为AFTER,然后在标签中设置select last_insert_id(),这样就可以在新增后返回主键id了。
阅读全文