一.问题描述

当我们在做项目的时候,创建一张用户表,如何让该表的主键id从0开始自增?网上搜索了很多解决方案,最后发现了一种方法必实现且有效的方案。下面就来介绍实现方法

二.解决方案

1.实现步骤

(1)创建一张新表,规定好自增规则(若该表已经存在,则删除掉再创建即可)

(2)在数据库中对该表插入一条指定id为1的表数据

(3)再插入一条不指定id内容的数据表,让表的id自增

(4)使用mybatisPlus创建生成实体类时,指定该实体类的id自增规则为数据库只增规则

2.演示

  1. 创建一张新用户表,规定好自增规则(若该表已经存在,则删除掉再创建即可)

AUTO_INCREMENT=1,只增规则为下一条表记录id只增1

create table if not exists `sys_user`(`id` bigint(20)not null auto_increment PRIMARY KEY comment '主键' ,`opend_id` varchar(256) DEFAULT null comment '微信用户唯一id',`account_number` varchar(256) DEFAULT null comment'账号',`username` varchar(256) not null DEFAULT '' comment '用户名',`password` varchar(256)comment '密码',`nick_name` varchar(256) DEFAULT null comment '昵称',`gender` varchar(25) DEFAULT null comment '性别',`phone` varchar(256) DEFAULT null comment '手机号',`role` varchar(10) default '0' not null comment '角色,0为普通用户,1为会员',`age` varchar(256) not null DEFAULT'110'comment '年龄',`user_status` varchar(25) default '0' not null comment '状态',`update_time` datetimenot NULL DEFAULT CURRENT_TIMESTAMP comment '更新时间',`create_time` datetimenot NULL DEFAULT CURRENT_TIMESTAMP comment '创建时间',`is_deleted` tinyint default 0 not null comment '是否删除(0-未删, 1-已删)',`email` varchar(256) DEFAULT null comment '邮箱',`avatar` varchar(256) not null DEFAULT 'https://thirdwx.qlogo.cn/mmopen/vi_32/POgEwh4mIHO4nibH0KlMECNjjGxQUq24ZEaGT4poC6icRiccVGKSyXwibcPq4BWmiaIGuG1icwxaQX6grC9VemZoJ8rg/132' comment '头像图片',`city` varchar(50) DEFAULT '北京' comment '城市',`province` varchar(50) DEFAULT null comment '省份',`country` varchar(50) comment '国家') ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8 comment '用户表信息';

2.在数据库中对该表插入一条指定id为1的表数据

insert into sys_user values(1,'微信用户唯一id','账号','用户名','mima','昵称','xb','sjh','js','nl','0',CURRENT_TIMESTAMP,CURRENT_TIMESTAMP,0,'邮箱','头像图片','城市','省份','国家')

3.再插入一条不指定id内容的数据表,让表的id自增

insert into sys_user(username,password,country) values('dscdc','8979777','中国');

经过这三步操作后,我们打开navicat来查看数据库中sys_user表里的记录

可以看出,生成的表id已经是按照只增1的规则只增了。

最后我们只需要在Java实体类的id字段上加上一个注解,规定mybatisplus在添加新表时按照数据库表设计时id的只增规则只增即可,该注解为@TableId(value =”id”,type = IdType.AUTO)

mybatis-plus的@TableId注解

@TableId(value=“xxx”,type = IdType.xxx):

“value”:设置数据库字段值

“type”:设置主键类型、如果数据库主键设置了自增建议使用“AUTO”

 @TableId(value ="id",type = IdType.AUTO)

下面给出该实体类的完整Java代码,到这里我们也就实现了建表id按照自增规则自增功能

@Data@AllArgsConstructor@NoArgsConstructor@TableName("sys_user")public class SysUser{//type = IdType.AUTO id按照数据库里设置的只增规则自己增加@TableId(value ="id",type = IdType.AUTO)private Long id;//用户名private String username;//账号private String accountNumber;//密码private String password;//昵称private String nickName;//手机号private String phone;//角色private String role;//年龄private String age;//状态private String userStatus;//更新时间private Date updateTime;//创建时间private Date createTime;//是否删除(0-未删, 1-已删)private Integer isDeleted;//邮箱private String email;//头像图片private String avatar;private String gender;private String city;private String province;private String country;private String opendId;}