【javaweb】学习日记Day9 - Mybatis 基础操作

news2024/11/25 10:34:59

目录

一、删除

(1)在mapper接口执行sql删除语句

① 注解后sql语句没有提示怎么办?

(2)测试层 

(3)开启mybatis日志

(4)预编译SQL 

二、新增

(1)新增信息

(2)主键返回

三、更新

四、查询

(1)简单查询

当字段名与属性名不一致时,mybatis不封装

​ ① 解决办法1

 ② 解决办法2

(2)条件查询

五、定义XML映射文件

(1)在resource文件下创建【与mapper接口所在包名一致】的目录文件 

(2)在该目录下新建file文件

(3)在xml文件中搭建基础结构

① 获取接口全类名方法

(4)配置sql语句

① 定义方法名后,如何快速在xml文件中生成对应标签?

六、动态SQL

(1)if

(2)foreach

(3)sql&include


一、删除

(1)在mapper接口执行sql删除语句

① 注解后sql语句没有提示怎么办?

@Mapper
public interface EmpMapper {
    
    //根据id删除数据
    @Delete("delete from emp where id = #{id}")
    public void delete(Integer id);
}

(2)测试层 

@SpringBootTest
class MybatisCrudApplicationTests {

    @Autowired
    private EmpMapper empmapper;

    @Test
    public void textDelete() {
        empmapper.delete(17);
    }
}

(3)开启mybatis日志

在application.properties配置日志

mybatis.configuration.log-impl=org.apache.ibatis.logging.stdout.StdOutImpl

(4)预编译SQL 

更高效:采用?占位符,java发送语句的同时发送参数,后续因为缓存已经有编译好的sql语句,直接可以执行

更安全(防止SQL注入):SQL注入是通过操作输入的数据来修改事先定义好的SQL语句,以达到执行代码对服务器进行攻击的方法

二、新增

(1)新增信息

!注意:#{}内采用【驼峰命名法】,即_用大写字母替代,eg:dept_id → deptId

@Mapper
public interface EmpMapper {
    
    //新增员工
    @Insert("insert into emp (username, name, gender, image, job, entrydate, dept_id, create_time, update_time)" +
            "values (#{username},#{name},#{gender},#{image},#{job},#{entrydate},#{deptId},#{createTime},#{updateTime})")
    public void insert(Emp emp);
}
@SpringBootTest
class MybatisCrudApplicationTests {

    @Autowired
    private EmpMapper empmapper;

    @Test
    public void textInsert() {
        Emp emp = new Emp();
        emp.setName("tom");
        emp.setUsername("TOM");
        emp.setImage("1.jpg");
        emp.setGender((short)1);
        emp.setJob((short)1);
        emp.setEntrydate(LocalDate.of(2000,1,1));
        emp.setCreateTime(LocalDateTime.now());
        emp.setUpdateTime(LocalDateTime.now());
        emp.setId(1);

        empmapper.insert(emp);
    }

(2)主键返回

在数据添加成功后,需要获取插入数据的主键。eg:添加套餐数据时,需要返回套餐id来维护套餐-菜品关系

会将自动生成的主键值,赋值给emp对象的id属性

@Options(keyProperty = "id",useGeneratedKeys = true)
    //新增员工
    @Options(keyProperty = "id",useGeneratedKeys = true)
    @Insert("insert into emp (username, name, gender, image, job, entrydate, dept_id, create_time, update_time)" +
            "values (#{username},#{name},#{gender},#{image},#{job},#{entrydate},#{deptId},#{createTime},#{updateTime})")
    public void insert(Emp emp);

三、更新

根据id更新员工信息

@Mapper
public interface EmpMapper {

    //更新员工
    @Update("update emp set username = #{username} ,name = #{name},gender = #{gender},image = #{image},job = #{job},entrydate = #{entrydate},dept_id = #{deptId},update_time = #{updateTime} where id = #{id}")
    public void update(Emp emp);
}
@SpringBootTest
class MybatisCrudApplicationTests {

    @Autowired
    private EmpMapper empmapper;

    @Test
    public void textInsert() {
        Emp emp = new Emp();
        emp.setName("kakak");
        emp.setUsername("88kakk");
        emp.setImage("1.jpg");
        emp.setGender((short)1);
        emp.setJob((short)1);
        emp.setEntrydate(LocalDate.of(2000,1,1));
        emp.setUpdateTime(LocalDateTime.now());
        emp.setId(18);
        emp.setDeptId(1);

        empmapper.update(emp);
    }
}

四、查询

(1)简单查询

@Mapper
public interface EmpMapper {

    //根据id查询员工
    @Select("select * from emp where id = #{id}")
    public Emp getById(Integer id);
}
@SpringBootTest
class MybatisCrudApplicationTests {

    @Autowired
    private EmpMapper empmapper;

    @Test
    public void textInsert() {
        Emp emp = empmapper.getById(19);
        System.out.println(emp);
    }
}

当字段名与属性名不一致时,mybatis不封装

 ① 解决办法1

手动注解

@Mapper
public interface EmpMapper {

    //根据id查询员工
    @Results({
            @Result(column = "dept_id",property = "deptId"),
            @Result(column = "crea_time",property = "createTime"),
            @Result(column = "update_time",property = "updateTime")
    })
    @Select("select * from emp where id = #{id}")
    public Emp getById(Integer id);
}

 ② 解决办法2

在application.properties开启驼峰命名法开关

# 开启驼峰命名法自动映射开关
mybatis.configuration.map-underscore-to-camel-case=true

(2)条件查询

#{}编译后会被?替代,但?不能出现在‘’内,因此我们不能使用#{},而要使用拼接${},但是${}有sql注入风险,因此我们使用concat()字符串拼接函数 

@Mapper
public interface EmpMapper {

    //根据id查询员工
    @Select("select * from emp where name like '%${name}%' and gender = #{gender} and entrydate between #{begin} and #{end}")
    public List<Emp> list(String name, Short gender, LocalDate begin,LocalDate end);
}
@Mapper
public interface EmpMapper {

    //根据id查询员工
    @Select("select * from emp where name like concat('%',#{name},'%') and gender = #{gender} and entrydate between #{begin} and #{end}")
    public List<Emp> list(String name, Short gender, LocalDate begin,LocalDate end);
}

@SpringBootTest
class MybatisCrudApplicationTests {

    @Autowired
    private EmpMapper empmapper;

    @Test
    public void textList() {
        List<Emp> empList = empmapper.list("张",(short)1,LocalDate.of(2010,1,1),LocalDate.of(2020,1,1));
        System.out.println(empList);
    }
}

五、定义XML映射文件

注解开发简单的sql,xml开发动态sql

(1)在resource文件下创建【与mapper接口所在包名一致】的目录文件 

(2)在该目录下新建file文件

文件名与mapper接口名一致

(3)在xml文件中搭建基础结构

namespace属性和mapper接口全类名一致

MyBatis中文网

① 获取接口全类名方法

<?xml version="1.0" encoding="UTF-8" ?>
<!DOCTYPE mapper
        PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN"
        "http://mybatis.org/dtd/mybatis-3-mapper.dtd">

<mapper namespace="com.itheima.mapper.EmpMapper">
    
</mapper>

(4)配置sql语句

id与mapper接口中方法名一致,保持返回类型一致

resultType和类名一致

① 定义方法名后,如何快速在xml文件中生成对应标签?

把光标置于方法名上,按alt+回车+回车,直接跳转到xml文件并生成 

六、动态SQL

随着用户的输入或外部条件变化而变化的SQL语句,称为动态SQL

比方说:查询框有姓名,性别,入职时间

用户如果不填某空(缺少某参数),用之前注解sql语句肯定会报错,而动态sql就是解决这一问题的

(1)if

如果test属性成立,则拼接SQL

<mapper namespace="com.itheima.mapper.EmpMapper">

    <!--    resultType:单条记录所封装的类型-->
    <select id="list" resultType="com.itheima.pojo.Emp">
        select *
        from emp
        <where>
            <if test="name != null">
                name like concat('%', #{name}, '%')
            </if>
            <if test="gender != null">
               and gender = #{gender}
            </if>
            <if test="begin != null and end != null">
               and entrydate between #{begin} and #{end}
            </if>
        </where>
            order by update_time desc
    </select>

</mapper>

(2)foreach

批量删除

  • collection:遍历的集合
  • item:遍历出来的元素
  • separator:分隔符
  • open:遍历开始前拼接的SQL片段
  • close:遍历结束后拼接的SQL片段
<mapper namespace="com.itheima.mapper.EmpMapper">
<!--    批量删除员工(18,19,20)-->
    <delete id="deleteByIds">
        delete from emp where id in
        <foreach collection="ids" item="x" separator="," open="(" close=")">
            #{x}
        </foreach>
    </delete>
</mapper>
@SpringBootTest
class MybatisCrudApplicationTests {

    @Autowired
    private EmpMapper empmapper;

    @Test
    public void textList() {
        List<Integer> ids = Arrays.asList(13,14,15);
        empmapper.deleteByIds(ids);
    }
}

(3)sql&include

sql标签可以择出重复使用的语句,并用include在所需要的地方引/

<mapper namespace="com.itheima.mapper.EmpMapper">
    <sql id="commonSelect">
        select id, username, password, name, gender, image, job, entrydate, dept_id, create_time, update_time
        from emp
    </sql>

    <!--    resultType:单条记录所封装的类型-->
    <select id="list" resultType="com.itheima.pojo.Emp">
        <include refid="commonSelect"/>
        <where>
            <if test="name != null">
                name like concat('%', #{name}, '%')
            </if>
            <if test="gender != null">
               and gender = #{gender}
            </if>
            <if test="begin != null and end != null">
               and entrydate between #{begin} and #{end}
            </if>
        </where>
            order by update_time desc
    </select>

</mapper>

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

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

相关文章

深入探讨Java虚拟机(JVM):执行流程、内存管理和垃圾回收机制

目录 什么是JVM&#xff1f; JVM 执行流程 JVM 运行时数据区 堆&#xff08;线程共享&#xff09; Java虚拟机栈&#xff08;线程私有&#xff09; 什么是线程私有? 程序计数器&#xff08;线程私有&#xff09; 方法区&#xff08;线程共享&#xff09; JDK 1.8 元空…

Linux下 Socket服务器和客户端文件互传

目录 1.项目描述 2.函数准备 2.1 gets函数 2.2 popen函数、fread函数 2.3 access 函数 2.4 exit 函数 2.5 strtok 函数 2.6 chdir函数 3.项目代码 3.1服务器代码 3.2客户端代码 4.问题总结 1.项目描述 基于Soket聊天服务器&#xff0c;实现服务器和客户端的文件传输。…

机器学习——线性回归/岭回归/Lasso回归

0、前言&#xff1a; 线性回归会用到python第三方库&#xff1a;sklearn.linear_model中的LinearRegression导入第三方库的方法&#xff1a;from sklearn.linear_model import LinearRegression使用LinearRegression(二维数据&#xff0c;一维数据)进行预测&#xff0c;其中数…

YOLOv5,v8中文标签显示问题

本人使用的是YOLOv5-7.0&#xff0c;YOLOv8的最新版本 1. 训练YOLOv5时matplotlib无法显示中文标签 数据集中的标签是中文&#xff0c;在训练YOLOv5&#xff0c;v8算法时&#xff0c;matplotlib库无法显示中文 2 解决方法 在yolov5/utils/plots.py文件中手动添加黑体字体&a…

flutter Could not get unknown property ‘ndkVersion’

使用的 flutter 版本为 3.7.2 &#xff0c;编译运行 如下 Could not get unknown property ‘ndkVersion’ for object of type com.android.build.gradle.internal.dsl.BaseAppModuleExtension 解决方法是 在flutter-3.7.2\packages\flutter_tools\gradle\flutter.gradle配置…

Java特性之设计模式【抽象工厂模式】

一、抽象工厂模式 概述 抽象工厂模式&#xff08;Abstract Factory Pattern&#xff09;是围绕一个超级工厂创建其他工厂。该超级工厂又称为其他工厂的工厂。这种类型的设计模式属于创建型模式&#xff0c;它提供了一种创建对象的最佳方式 在抽象工厂模式中&#xff0c;接口是…

2001-2021年上市公司数字化转型(年报词频统计)

2001-2021年上市公司数字化转型&#xff08;年报词频统计&#xff09; 1、时间&#xff1a;2001-2021年 2、来源&#xff1a;上市公司年报、巨潮资讯网 3、方法说明&#xff1a;参考管理世界中吴非&#xff08;2021&#xff09;的做法&#xff0c;对人工智能技术、大数据技术…

警告:Provides transitive vulnerable dependency maven:org.yaml:snakeyaml:1.30

1. 警告 SpringBoot 的 validation 依赖包含有易受攻击的依赖 snakeyaml。 警告信息如下&#xff1a; Provides transitive vulnerable dependency maven:org.yaml:snakeyaml:1.30 意思是&#xff1a;提供了可传递的易受攻击依赖 maven:org.yaml:snakeyaml:1.30 2. 警告示例 …

networkX-03-连通度、全局网络效率、局部网络效率、聚类系数计算

文章目录 1.连通度1.1 检查图是否连通1.2 检查有向图是否为强连通1.3 点连通度、边连通度&#xff1a; 2.网络效率2.1全局效率2.2 局部效率2.2.1 查找子图2.2.3 局部效率源码分析 3.聚类系数&#xff08;Clustering Coefficient&#xff09;3.1 聚类系统源码分析 教程仓库地址&…

【开学作业考试层出不穷】Python自动答题脚本,在线答题,零基础可学!!(附源码)

前言 大家好 我是小曼呐~ 9月份想必大部分同学已经开学啦&#xff0c;开学少不了老师会布置一些 软件上面的作业 今天教大家用python制作自动答题脚本&#xff0c;100%准确率哦~ 喜欢的同学记得关注 收藏哦~ 环境使用 Python 3.8Pycharm 模块使用 import requests —>…

MySQL表的内连和外连

文章目录 MySQL表的内连和外连1. 内连接(1) 显示SMITH的名字和部门名称 2. 外连接2.1 左外连接(1) 查询所有学生的成绩&#xff0c;如果这个学生没有成绩&#xff0c;也要将学生的个人信息显示出来 2.2 右外连接(1) 对stu表和exam表联合查询&#xff0c;把所有的成绩都显示出来…

【Apollo学习笔记】——规划模块TASK之SPEED_BOUNDS_PRIORI_DECIDERSPEED_BOUNDS_FINAL_DECIDER

文章目录 前言SPEED_BOUNDS_PRIORI_DECIDER功能简介SPEED_BOUNDS_FINAL_DECIDER功能简介SPEED_BOUNDS_PRIORI_DECIDER相关配置SPEED_BOUNDS_FINAL_DECIDER相关配置SPEED_BOUNDS_DECIDER流程将障碍物映射到ST图中ComputeSTBoundary(PathDecision* path_decision)ComputeSTBounda…

MybatisPlus 快速入门 常见注解 配置

var code "81563903-534d-4850-9d6a-a9fb0318f593" 本课程全面讲解了Mybatis框架的使用&#xff0c;从快速入门到原理分析再到实战应用。每一个知识点都有案例进行演示学习&#xff0c;最终通过学习你将全面掌握&#xff0c;从而使Mybatis的开发更加的高效&#xff…

网络编程 day 6

1、基于UDP聊天室 服务器 #define ERR_MSG(msg) do{\fprintf(stderr,"__%d__",__LINE__);\perror(msg);\ }while(0) #define IP "127.0.0.1" #define PORT 6666 //创建链表 Linklistptr list_create(); Linklistptr node_buy(datatype e); int list_insert…

You must install at least one postgresql-client-<version> package

使用主机上的映射端口来连接到 PostgreSQL 数据库。例如&#xff0c;使用以下命令连接到数据库&#xff1a; psql -h localhost -p 5432 -U postgres出现下面的问题&#xff1a; 分析&#xff1a; 如果您在运行 psql 命令时遇到错误消息 You must install at least one pos…

flex布局轻而易举实现页面布局;超详细解析轻松掌握

我们曾如此渴望命运的波澜&#xff0c;到最后才发现&#xff0c;人生最曼妙的风景&#xff0c;竟是内心的淡定和从容。我们曾如此期盼外界的认可&#xff0c;到最后才知道&#xff0c;世界是自己的&#xff0c;与他人毫无关系。——杨绛 开始 痛点 网页布局&#xff08;layout…

数据分析因子评分学习

当多个因素影响一个结果时&#xff0c;我们需要综合考虑这些因素分别对结果德影响。因子评分就是用于比较其对结果德影响程度。 文章目录 前言一、案例背景二、解决方案&#xff08;一&#xff09;分析思路&#xff08;二&#xff09;剔除无关数据&#xff08;三&#xff09;求…

role、user、schema在Oracle、MySQL、PostgreSQL的区别

0.先上结论 数据库逻辑可以细分为&#xff1a;角色、用户、数据库、模式PostgreSQL和MySQL合并了角色和用户&#xff0c;MySQL还合并了数据库、模式Oracle合并了用户、数据库、模式 1.图 1.1.架构 1.2.用户和角色 1.2.1.PostgreSQL 1.2.2.MySQL 1.2.3.Oracle 参考文章 数据…

安卓绘制原理概览

绘制原理 Android 程序员都知道 Android 的绘制流程分为 Measure、Layout、Draw 三步骤&#xff0c;其中 Measure 负责测量 View 的大小Layout 负责确定 View 的位置Draw 负责将 View 画在屏幕上 由 ViewRootImpl 实现的 performTraversal 方法是 Measure、layout、draw 的真正…

教育培训小程序的设计与功能解析

随着互联网的发展&#xff0c;线上教育逐渐成为一种趋势&#xff0c;越来越多的人开始选择在线学习。而搭建一个适合自己的线上教育小程序&#xff0c;可以为教育机构或个人提供更好的教学和学习体验。在本文中&#xff0c;我们将介绍如何通过一个第三方制作平台来搭建在线教育…