SpringBoot2.0(mybatis-plus常见的增删改查和分页)

目录

  • 一,mybatis-plus常见注解
  • 二,创建一个工具类和启动类
  • 三,创建实体类
  • 四,创建mapper接口
  • 五,创建service接口和impl类
  • 六,创建配置类
  • 七,创建controller
  • 八,使用测试工具测试增删改查和分页
    • 8.1,测试全部查询
    • 8.2,测试根据id查
    • 8.3,测试模糊查询
    • 8.4,测试新增
    • 8.5,测试修改
    • 8.6,测试删除
    • 8.7,测试分页
  • 九,QueryWrapper介绍

一,mybatis-plus常见注解

@TableName 用于定义表名
@TableId 用于定义表的主键

属性
value 用于定义主键字段名
type 用于定义主键类型(主键策略 IdType),具体策略如下:

IdType.AUTO          主键自增,系统分配,不需要手动输入
IdType.NONE          未设置主键
IdType.INPUT         需要自己输入 主键值
IdType.ASSIGN_ID     系统分配 ID,用于数值型数据(Long,对应 mysql 中 BIGINT 类型)
IdType.ASSIGN_UUID   系统分配 UUID,用于字符串型数据(String,对应 mysql 中 varchar(32) 类型)

统一配置主键策略
配置全局默认主键类型,实体类就不用加 @TableId(value = "id", type = IdType.AUTO)

mybatis-plus.global-config.db-config.id-type=auto

@TableField 用于定义表的非主键字段

属性
value 用于定义非主键字段名,用于别名匹配,假如java对象属性和数据库属性不一样
exist 用于指明是否为数据表的字段, true 表示是,false 为不是,假如某个java属性在数据库没对应的字段则要标记为faslse
fill 用于指定字段填充策略(FieldFill,用的不多)

 字段填充策略:一般用于填充 创建时间、修改时间等字段FieldFill.DEFAULT         默认不填充FieldFill.INSERT          插入时填充FieldFill.UPDATE          更新时填充FieldFill.INSERT_UPDATE   插入、更新时填充。

二,创建一个工具类和启动类

util包 JsonData类
DemoApplication启动类

在这里插入图片描述
启动类

package com.demo;import org.mybatis.spring.annotation.MapperScan;
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;@SpringBootApplication
@MapperScan("com.demo.mapper")  //public class DemoApplication {public static void main(String[] args) {SpringApplication.run(DemoApplication.class,args);}}

工具类

package com.demo.util;import lombok.AllArgsConstructor;
import lombok.Data;
import lombok.NoArgsConstructor;@Data
@AllArgsConstructor //会生成一个包含所有变量
@NoArgsConstructor //生成一个无参数的构造方法
public class JsonData {/*** 状态码 0 表示成功,1表示处理中,-1表示失败*/private Integer code;/*** 数据*/private Object data;/*** 描述*/private String msg;// 成功,传入数据public static JsonData buildSuccess() {return new JsonData(0, null, null);}// 成功,传入数据public static JsonData buildSuccess(Object data) {return new JsonData(0, data, null);}// 失败,传入描述信息public static JsonData buildError(String msg) {return new JsonData(-1, null, msg);}// 失败,传入描述信息,状态码public static JsonData buildError(String msg, Integer code) {return new JsonData(code, null, msg);}
}

三,创建实体类

Bean包 Lapop类

package com.demo.bean;import lombok.Data;@Data
public class Lapop {/** 键盘id */private Integer id ;/** 键盘名称 */private String name ;/** 键盘尺寸 */private String size ;/** 键盘重量 */private String weight ;/** 电压 */private String voltage ;/** 电流 */private String current ;/** 键盘接口 */private String interfacepass ;/** 按键个数 */private String number ;
}

四,创建mapper接口

mapper包 LapopMapper接口

package com.demo.mapper;import com.baomidou.mybatisplus.core.mapper.BaseMapper;
import com.demo.bean.Lapop;public interface LapopMapper extends BaseMapper<Lapop> {
}

五,创建service接口和impl类

service包 LapopService接口
impl包 LapopServiceImpl类

LapopService接口

package com.demo.service;import com.baomidou.mybatisplus.core.metadata.IPage;
import com.demo.bean.Lapop;import java.util.List;
import java.util.Map;public interface LapopService {// 查询全部List<Lapop> getLapop();// 根据id查Lapop getByIdLapop(int id);//模糊查List<Lapop> getLapopBylist(Lapop lapop);// 新增int addLapop(Lapop lapop);// 修改int updateLapop(Lapop lapop);// 删除int deleteLapop(int id);// 分页IPage<Lapop> selectPageVO(Integer LapopIPage, Integer queryWrapper);
}

LapopServiceImpl类

package com.demo.service.impl;import com.baomidou.mybatisplus.core.conditions.query.QueryWrapper;
import com.baomidou.mybatisplus.core.metadata.IPage;
import com.baomidou.mybatisplus.extension.plugins.pagination.Page;
import com.demo.bean.Lapop;
import com.demo.mapper.LapopMapper;
import com.demo.service.LapopService;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;import java.util.List;
import java.util.Map;@Service
public class LapopServiceImpl implements LapopService {@Autowiredprivate LapopMapper lapopMapper;@Overridepublic List<Lapop> getLapop() {// 查询全部List<Lapop> getLapopList = lapopMapper.selectList(new QueryWrapper<Lapop>());return getLapopList;}@Overridepublic Lapop getByIdLapop(int id) {// 根据id查return lapopMapper.selectById(id);}@Overridepublic List<Lapop> getLapopBylist(Lapop lapop) {// 模糊查询QueryWrapper queryWrapper = new QueryWrapper<Lapop>();queryWrapper.like("name",lapop.getName());queryWrapper.gt("Number",lapop.getNumber());return lapopMapper.selectList(queryWrapper);}@Overridepublic int addLapop(Lapop lapop) {// 新增return lapopMapper.insert(lapop);}@Overridepublic int updateLapop(Lapop lapop) {// 修改return lapopMapper.updateById(lapop);}@Overridepublic int deleteLapop(int id) {// 删除return lapopMapper.deleteById(id);}@Overridepublic IPage<Lapop> selectPageVO(Integer LapopIPage, Integer queryWrapper) {// 分页QueryWrapper<Lapop> wrapper = new QueryWrapper<>();//第1页,每页2条Page<Lapop> page = new Page<>(LapopIPage, queryWrapper);IPage<Lapop> LapopbyIPage = lapopMapper.selectPage(page, wrapper);System.out.println("总条数"+LapopbyIPage.getTotal());System.out.println("总页数"+LapopbyIPage.getPages());//获取当前数据return LapopbyIPage;}
}

六,创建配置类

config包 MybatisPlusPageConfig类
配置分页插件

package com.demo.config;import com.baomidou.mybatisplus.annotation.DbType;
import com.baomidou.mybatisplus.extension.plugins.MybatisPlusInterceptor;
import com.baomidou.mybatisplus.extension.plugins.inner.PaginationInnerInterceptor;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;@Configuration
public class MybatisPlusPageConfig {/*** 新的分页插件*/@Beanpublic MybatisPlusInterceptor mybatisPlusInterceptor() {MybatisPlusInterceptor interceptor = new MybatisPlusInterceptor();interceptor.addInnerInterceptor(new PaginationInnerInterceptor(DbType.MYSQL));return interceptor;}}

七,创建controller

controller包 LapopController类

package com.demo.controller;import com.demo.bean.Lapop;
import com.demo.service.LapopService;
import com.demo.util.JsonData;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.web.bind.annotation.RequestBody;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.ResponseBody;
import org.springframework.web.bind.annotation.RestController;@RestController
@RequestMapping("/lapopController")
public class LapopController {@Autowiredprivate LapopService lapopService;@RequestMapping("/LapopList")@ResponseBodypublic JsonData LapopList(){// 查询全部return JsonData.buildSuccess(lapopService.getLapop());}@RequestMapping("/LapopByIDDList")@ResponseBodypublic JsonData LapopByIDDList(int id){// 根据id查return JsonData.buildSuccess(lapopService.getByIdLapop(id));}@RequestMapping("/paLapopByList")@ResponseBodypublic JsonData paLapopByList(Lapop lapop){// 模糊查return JsonData.buildSuccess(lapopService.getLapopBylist(lapop));}@RequestMapping("/insertLapop")public Object insertLapop(@RequestBody Lapop lapop){// 新增int restue = lapopService.addLapop(lapop);return JsonData.buildSuccess(restue);}@RequestMapping("/updateLapop")public Object updateLapop(@RequestBody Lapop lapop){// 修改int request = lapopService.updateLapop(lapop);return JsonData.buildSuccess(request);}@RequestMapping("/deleteLapop")public Object deleteLapop(int id){// 删除return JsonData.buildSuccess(lapopService.deleteLapop(id));}@RequestMapping("/PageLapop")public Object PageLapop(Integer passerIPage, Integer queryWrapper ){// 分页return JsonData.buildSuccess(lapopService.selectPageVO(passerIPage,queryWrapper));}
}

八,使用测试工具测试增删改查和分页

8.1,测试全部查询

在这里插入图片描述
在这里插入图片描述

8.2,测试根据id查

在这里插入图片描述
在这里插入图片描述

8.3,测试模糊查询

在这里插入图片描述
在这里插入图片描述

8.4,测试新增

在这里插入图片描述
在这里插入图片描述

8.5,测试修改

在这里插入图片描述
在这里插入图片描述

8.6,测试删除

在这里插入图片描述
在这里插入图片描述

8.7,测试分页

在这里插入图片描述
在这里插入图片描述

九,QueryWrapper介绍

QueryWrapper介绍
可以封装sql对象,包括where条件,order by排序,select哪些字段等等
查询包装类,可以封装多数查询条件,泛型指定返回的实体类

List<BannerDO> list = bannerMapper.selectList(new QueryWrapper<BannerDO>());

核心API

- eq 等于
- ne 不等于
- gt 大于
- ge 大于等于
- lt 小于
- le 小于等于
- or 拼接or
- between 两个值中间
- notBetween 不在两个值中间
- like 模糊匹配
- notLike 不像
- likeLeft 左匹配
- likeRight 右边匹配
- isNull 字段为空
- in in查询
- groupBy 分组
- orderByAsc 升序
- orderByDesc 降序
- having having查询

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/82302.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

Reids Cluster集群部署

服务器端口说明 vim /etc/hosts 1.下载、解压、编译Redis $ mkdir -p /opt/redis && cd /opt/redis $ wget http://download.redis.io/releases/redis-6.0.6.tar.gz $ tar xzf redis-6.0.6.tar.gz 请先检查gcc的版本是否低于5&#xff0c;如果是请先升级&#xff0c…

听GPT 讲Istio源代码--pilot(7)

File: istio/pilot/pkg/model/log.go 在Istio项目中&#xff0c;istio/pilot/pkg/model/log.go文件的作用是定义了Istio Pilot的日志记录功能。 该文件中定义了一个名为log的全局日志记录器&#xff0c;并且还定义了一些与日志记录相关的变量&#xff0c;如verbose、verboseCou…

从原理到实践 | Pytorch tensor 张量花式操作

文章目录 1.张量形状与维度1.1标量&#xff08;0维张量&#xff09;&#xff1a;1.2 向量&#xff08;1维张量&#xff09;&#xff1a;1.3矩阵&#xff08;2维张量&#xff09;&#xff1a;1.4高维张量&#xff1a; 2. 张量其他创建方式2.1 创建全零或全一张量&#xff1a;2.2…

幸福里基于 Flink Paimon 的流式数仓实践

摘要&#xff1a;本文整理自字节跳动基础架构工程师李国君&#xff0c;在 Streaming Lakehouse Meetup 的分享。幸福里业务是一种典型的交易、事务类型的业务场景&#xff0c;这种业务场景在实时数仓建模中遇到了诸多挑战。本次分享主要介绍幸福里业务基于 Flink & Paimon …

git仓库推送错误

错误背景 从github克隆仓库后&#xff0c;想推送到gitee&#xff0c;在推送时遇到 error: src refspec master does not match any. error: failed to push some refs to <REMOTE_URL>解决方法 rm -rf .github git init git add -A git commit -m "init for gite…

Linux日志管理-logrotate(crontab定时任务、Ceph日志转储)

文章目录 一、logrotate概述二、logrotate基本用法三、logrotate运行机制logrotate参数 四、logrotate是怎么做到滚动日志时不影响程序正常的日志输出呢&#xff1f;Linux文件操作机制方案一方案二 五、logrotate实战--Ceph日志转储参考 一、logrotate概述 logrotate是一个用于…

数据结构--哈希表,哈希函数(或者散列表、散列函数)

目录 哈希表的定义 处理冲突的方法--拉链法 散列查找 常见的散列函数&#xff08;构造哈希函数&#xff09; 除留余数法 直接定址法 数字分析法 平方取中法 处理冲突的方法--开放定址法 &#xff08;1&#xff09;线性探测法&#xff1a; &#xff08;2&#xff09…

mall商城项目:只启动mall-admin情况下Windows环境的部署

文章目录 前提ideaMysql创建数据库mall,导入项目document/sql文件夹下的mall.sql文件,初始化数据RedisPostMan登录接口测试运行前提 mall项目gitee 如果项目只启动mall-admin,仅需安装MySQL、Redis即可 idea IDEA的安装与使用请参考搜索插件仓库,安装插件Lombok;将项目下…

记录--IR_cut切换模块流程

api接口&#xff1a;/API/ChannelConfig/ImageControl/Set /API/ChannelConfig/ImageControl/range /API/ChannelConfig/ImageControl/Get IR_cut步骤&#xff08;已自动模式为例&#xff09;&#xff1a; 1、一直跑IRCutService线程&#xff0c;检查环境光敏值 2、光敏值达…

laravel框架 - 辅助函数

Laravel 常用辅助函数 辅助函数 Laravel 包含各种全局辅助函数。 laravel 中包含大量辅助函数&#xff0c;您可以使用它们来简化开发工作流程。 array_dot() 辅助函数允许你将多维数组转换为使用点符号的一维数组 $array [user > [username > something],app > [c…

速腾聚创80线激光雷达ros驱动安装

1. 激光雷达硬件连接 1.1 工具准备 1.2 硬件连接 设置PC Ubuntu1804静态IP&#xff0c;速腾聚创16线激光雷达出厂默认发送到192.168.1.102&#xff0c;在连接前可以通过wireshark抓包工具进行检测&#xff1b; sudo wireshark 正常发送UDP数据流才算正常接入&#xff01; 2. 软…

使用C#为进程创建DUMP文件

https://www.likecs.com/show-307694293.html 程序异常崩溃前使用此类为进程创建DUMP文件&#xff0c;之后可以使用WinDbg等工具进行分析。 辅助类代码 using System; using System.Diagnostics; using System.IO; using System.Runtime.InteropServices;namespace Infrastruc…

C语言入门Day_22 初识指针

目录 前言&#xff1a; 1.内存地址 2.指针的定义 3.指针的使用 4.易错点 5.思维导图 前言&#xff1a; 之前我们学过变量可以用来存储数据&#xff0c;就像一个盒子里面可以放不同的球一样。 这是一个方便大家理解专业概念的比喻。 在计算机世界里面&#xff0c;数据实…

怎么防止360安全卫士修改默认浏览器?

默认的浏览器 原先选项是360极速浏览器&#xff08;如果有安装的话&#xff09;&#xff0c;我这里改成了Chrome。 先解锁 才能修改。

docker alpine镜像中遇到 not found

1.问题&#xff1a; docker alpine镜像中遇到 sh: xxx: not found 例如 # monerod //注&#xff1a;此可执行文件已放到/usr/local/bin/ sh: monerod: not found2.原因 由于alpine镜像使用的是musl libc而不是gnu libc&#xff0c;/lib64/ 是不存在的。但他们是兼容的&…

千巡翼X1 让航测无人机更小更轻更高效

利用无人机进行航空摄影测量&#xff0c;已成为测绘外业生产的主要方式&#xff0c;不仅方便快捷&#xff0c;更能全面准确获得成果。近年来&#xff0c;凭借快速高效、机动灵活、安全可靠、低成本等诸多优势&#xff0c;小型多旋翼无人机逐渐成为一些航测项目作业的新利器。 千…

成绩判定(C++)

系列文章目录 进阶的卡莎C++_睡觉觉觉得的博客-CSDN博客数1的个数_睡觉觉觉得的博客-CSDN博客双精度浮点数的输入输出_睡觉觉觉得的博客-CSDN博客足球联赛积分_睡觉觉觉得的博客-CSDN博客大减价(一级)_睡觉觉觉得的博客-CSDN博客小写字母的判断_睡觉觉觉得的博客-CSDN博客纸币(…

GEE学习总结(9)——像元二分法计算月度植被覆盖度(MODIS)

像元二分法计算植被覆盖度 通过MODIS的NDVI数据集MOD13Q1和像元二分法计算植被覆盖度 var multi_NDVI ee.ImageCollection(MODIS/006/MOD13Q1).filterDate(2015-06-01, 2016-09-01).select(NDVI).max().divide(10000).clip(geometry);var ndviVis {min: 0.0,max: 1,palette…

Redis——渐进式遍历和数据库管理命令

介绍 如果使用keys * 这样的操作&#xff0c;将Redis中所有的key都获取到&#xff0c;由于Redis是单线程工作&#xff0c;这个操作本身又要消耗很多时间&#xff0c;那么就会导致Redis服务器阻塞&#xff0c;后续的操作无法正常执行 而渐进式遍历&#xff0c;通过多次执行遍历…

【PowerQuery】PowerBI Pro账户的自动刷新

在数据和模型通过发布或者上传方式上传到PowerBI Pro中,如何来进行数据刷新呢?数据源依然在本地,而数据模型已经发布到PowerBI Pro云端服务中。如果数据源更新,我们的模型如何进行自动刷新呢? PowerBI Pro如果需要基于本地数据源更新进行模型更新需要部署相应的数据网关服…