MyBatis Plus 集成了多种主键策略,帮助用户快速生成主键。
默认情况,全局使用的,就是雪花算法ID。也就是说,id字段在没有指定任何主键策略时,插入数据就是使用的雪花算法生成的ID。
如果全局使用雪花算法ID,这个注解可以不加。
@TableId(type = IdType.ASSIGN_ID)
package com.example.web.entity;
import com.baomidou.mybatisplus.annotation.IdType;
import com.baomidou.mybatisplus.annotation.TableId;
import lombok.Data;
@Data
public class User {
@TableId(type = IdType.ASSIGN_ID)
private Long id;
private String name;
private Integer age;
private String email;
}
@Test
public void insert() {
User user = new User();
user.setName("赵一");
user.setAge(26);
user.setEmail("[email protected]");
mapper.insert(user);
}
@TableId(type = IdType.ASSIGN_UUID)
package com.example.web.entity;
import com.baomidou.mybatisplus.annotation.IdType;
import com.baomidou.mybatisplus.annotation.TableId;
import lombok.Data;
@Data
public class User {
@TableId(type = IdType.ASSIGN_UUID)
private Long id;
private String name;
private Integer age;
private String email;
}
@Test
public void insert() {
User user = new User();
user.setName("赵一");
user.setAge(26);
user.setEmail("[email protected]");
mapper.insert(user);
}
该类型请确保数据库设置了 ID自增,否则无效(会报错)。
报错信息查看文章最后的《报错示例》
@TableId(type = IdType.AUTO)
package com.example.web.entity;
import com.baomidou.mybatisplus.annotation.IdType;
import com.baomidou.mybatisplus.annotation.TableId;
import lombok.Data;
@Data
public class User {
@TableId(type = IdType.AUTO)
private Long id;
private String name;
private Integer age;
private String email;
}
@Test
public void insert() {
User user = new User();
user.setName("赵一");
user.setAge(26);
user.setEmail("[email protected]");
mapper.insert(user);
}
@TableId(type = IdType.INPUT)
package com.example.web.entity;
import com.baomidou.mybatisplus.annotation.IdType;
import com.baomidou.mybatisplus.annotation.TableId;
import lombok.Data;
@Data
public class User {
@TableId(type = IdType.INPUT)
private Long id;
private String name;
private Integer age;
private String email;
}
@Test
public void insert() {
User user = new User();
user.setId(9L);
user.setName("赵一");
user.setAge(26);
user.setEmail("[email protected]");
mapper.insert(user);
}
如果不指定id,也就是 setId() 方法没调用,会报错:
Column ‘id’ cannot be null
当 MySQL 数据库中的表,ID并没有自增,但是代码中的id是自增,此时新增一条数据,会报错。
package com.example.web.entity;
import com.baomidou.mybatisplus.annotation.IdType;
import com.baomidou.mybatisplus.annotation.TableId;
import lombok.Data;
@Data
public class User {
@TableId(type = IdType.AUTO)
private Long id;
private String name;
private Integer age;
private String email;
}
@Test
public void insert() {
User user = new User();
user.setName("赵一");
user.setAge(26);
user.setEmail("[email protected]");
mapper.insert(user);
}