Mybatis之基本操作

目录

  • 一、Mybatis中的增删改操作
    • 1、单个insert
    • 2、单个delete
    • 3、批量select
    • 4、单个update
  • 二、数据输入
    • 1、单个简单的类型
    • 2、实体类类型参数
    • 3、零散的简单类型数据
    • 4、Map参数的数据类型
      • ①使用场景
      • ②对应关系
  • 三、数据输出
    • 1、返回单个简单类型数据
    • 2、返回实体类对象
    • 3、返回Map类型
    • 4、返回List类型
    • 5、返回自增主键
      • 不支持自增主键的数据库
    • resultMap元素

一、Mybatis中的增删改操作

1、单个insert

mapper接口中

/*** 增加一本书*/
int addBook(BookEntity bookEntity);

①使用xml写sql

<!--    因为配置了别名,所以parameterType不需要写全类名--><insert id="addBook" parameterType="BookEntity">-- 参数与BookEntity中的属性对应,因为mybatis会调用get方法获取BookEntity中的属性insert into books values (#{id},#{name},#{price})</insert>

②使用注解

@Insert("insert into books values (#{id},#{name},#{price})")
int addBook(BookEntity bookEntity);

测试:

    @Testpublic void test(){BookEntity bookEntity=new BookEntity();bookEntity.setId(3);bookEntity.setName("Mybatis从入门到精通");bookEntity.setPrice(88);int i = bookMapper.addBook(bookEntity);if (i==1){System.out.println("添加成功");}else {System.out.println("添加失败");}}

2、单个delete

/*** 根据id删除图书*/
int deleteBookById(Integer id);

①使用xml写sql

<delete id="deleteBookById" parameterType="java.lang.Integer">delete from books where id=#{id}
</delete>

②使用注解

@Delete("delete from books where id=#{id}")
int deleteBookById(Integer id);

测试

@Test
public void test(){int i = bookMapper.deleteBookById(3);if (i>0){System.out.println("删除成功");}else {System.out.println("删除失败");}
}

3、批量select

/*** 查询全部*/
List<BookEntity> selectList();

①使用xml写sql

<!--    查List的时候resultType是List里面的类型--><select id="selectList" resultType="BookEntity">select * from books</select>

②使用注解

@Select("select * from books")
List<BookEntity> selectList();

测试

@Test
public void test(){List<BookEntity> bookEntities = bookMapper.selectList();bookEntities.forEach(System.out::println);
}

4、单个update

/*** 修改图书*/
int updateById(BookEntity bookEntity);

①使用xml写sql

<update id="updateById" parameterType="BookEntity">update books set name=#{name},price=#{price} where id=#{id}
</update>

②使用注解

@Update(" update books set name=#{name},price=#{price} where id=#{id}")
int updateById(BookEntity bookEntity);

测试:

@Test
public void test(){BookEntity bookEntity=new BookEntity();bookEntity.setId(1);bookEntity.setName("Mybatis从入门到入土");bookEntity.setPrice(1999);int i = bookMapper.updateById(bookEntity);if (i==1){System.out.println("修改成功");}else {System.out.println("修改失败");}
}

二、数据输入

1、单个简单的类型

mapper接口:

@Select("select * from books where id=#{id}")
BookEntity selectById(Integer id);

单个简单的参数,可以使用任意名称

eg:

@Select("select * from books where id=#{value}")
BookEntity selectById(Integer id);

2、实体类类型参数

Mybatis会根据#{}中传入的数据,加工成getXxx()方法,通过反射在实体类对象中调用这个方法,从而获取到对应的数据。填充到#{}这个位置。所以要保证#{}中的名称与实体类中的名称一致

mapper接口:

@Update(" update books set price=#{price} where name=#{name} ")int updateByName(BookEntity bookEntity);

3、零散的简单类型数据

待解决问题:当出现多个简单类型参数,mybatis通过反射找不到对应的参数

问题解决:使用 @Param注解指定参数名称

mapper接口:

@Select("select * from books where id=#{id} and  name=#{name} and price=#{price}")
List<BookEntity> selectAll(@Param("id") Integer id, @Param("name") String name, @Param("price") Integer price);

4、Map参数的数据类型

①使用场景

有很多零散的参数需要传递,但是没有对应的实体类类型可以使用。使用@Param注解一个一个传入又太麻烦了。所以都封装到Map中

②对应关系

#{}中写Map中的key,会将key对应的将map中 的value封装进去

mapper接口:

这里采用注解,xml配置文件一样

@Select("select * from books where name=#{name} and description=#{description} ")
List<BookEntity> selectByMap(Map<String,String> map);

测试类:

@Test
public void test(){Map<String,String> map=new HashMap<>();map.put("name","Mybatis");map.put("description","是一本好书");List<BookEntity> bookEntities = bookMapper.selectByMap(map);bookEntities.forEach(System.out::println);}

三、数据输出

1、返回单个简单类型数据

设置resultType为int(别名),也可以使用全类名

<select id="selectEmpCount" resultType="int">select count(*) from t_emp
</select>

2、返回实体类对象

<!-- resultType属性:指定封装查询结果的Java实体类的全类名,如果设置了别名,也可以直接使用别名 -->
<select id="selectEmployee" resultType="com.atguigu.mybatis.entity.Employee"><!-- Mybatis负责把SQL语句中的#{}部分替换成“?”占位符 --><!-- 给每一个字段设置一个别名,让别名和Java实体类中属性名一致 -->select username , pwd from user where user_id=#{id}
</select>

如果数据库中的表名与实体类的名称不一致?

1、在查询过程中起别名

<select id="selectEmployee" resultType="com.atguigu.mybatis.entity.Employee"><!-- Mybatis负责把SQL语句中的#{}部分替换成“?”占位符 --><!-- 给每一个字段设置一个别名,让别名和Java实体类中属性名一致 -->select username, pwd as password from user where user_id=#{id}
</select>

2、使用 resulteMap(文章 下面会提到)

3、返回Map类型

适用于SQL查询返回的各个字段综合起来并不和任何一个现有的实体类对应,没法封装到实体类对象中。能够封装成实体类类型的,就不使用Map类型。

eg:查询图书的总数量和平均价格

mapper接口:

Map<String,Object> selectNumAndAvg();

xml配置文件:

<select id="selectNumAndAvg" resultType="java.util.Map" >select count(*) ,avg(price) from books
</select>

测试类:

@Test
public void test01(){Map<String, Object> stringObjectMap = bookMapper.selectNumAndAvg();//遍历mapfor (Map.Entry<String, Object> stringObjectEntry : stringObjectMap.entrySet()) {System.out.println(stringObjectEntry.getKey());System.out.println(stringObjectEntry.getValue());}
}

运行结果:

avg(price)
50.5000
count(*)
2

查询的时候起别名

<select id="selectNumAndAvg" resultType="java.util.Map" >select count(*) as allNum ,avg(price) as avgPrice from books
</select>

返回的map中的key就变为起的别名

avgPrice
50.5000
allNum
2

4、返回List类型

查询结果返回多个实体类对象,希望把多个实体类对象放在List集合中返回。此时不需要任何特殊处理,在resultType属性中还是设置实体类类型即可

mapper接口:

/*** 查询全部*/
List<BookEntity> selectList();

xml配置文件:

<!--    查List的时候resultType是List里面的类型--><select id="selectList" resultType="BookEntity">select * from books</select>

5、返回自增主键

mapper接口:

/*** 增加一本书*/
int addBook(BookEntity bookEntity);

xml配置文件:

<!--    因为配置了别名,所以parameterType不需要写全类名--><!-- useGeneratedKeys属性字面意思就是“使用生成的主键” --><!-- keyProperty属性可以指定主键在实体类对象中对应的属性名,Mybatis会将拿到的主键值存入这个属性 --><insert id="addBook" parameterType="BookEntity" useGeneratedKeys="true" keyProperty="id">insert into books (name,price,description) values (#{name},#{price},#{description})</insert>

测试类:

@Test
public  void test02(){BookEntity bookEntity=new BookEntity();bookEntity.setName("Mybatis从入门到精通");bookEntity.setPrice(88);bookEntity.setDescription("非常好");bookMapper.addBook(bookEntity);System.out.println(bookEntity);
}

返回结果:

BookEntity(id=4, name=Mybatis从入门到精通, price=88, description=非常好)

注意:

Mybatis是将自增主键的值设置到实体类对象中,而不是以Mapper接口方法返回值的形式返回。

不支持自增主键的数据库

而对于不支持自增型主键的数据库(例如 Oracle),则可以使用 selectKey 子元素:selectKey 元素将会首先运行,id 会被设置,然后插入语句会被调用

<insert id="insertEmployee" parameterType="com.atguigu.mybatis.beans.Employee"  databaseId="oracle"><selectKey order="BEFORE" keyProperty="id" resultType="integer">select employee_seq.nextval from dual </selectKey>	insert into orcl_employee(id,last_name,email,gender) values(#{id},#{lastName},#{email},#{gender})
</insert>

或者是

<insert id="insertEmployee" parameterType="com.atguigu.mybatis.beans.Employee"  databaseId="oracle"><selectKey order="AFTER" keyProperty="id" resultType="integer">select employee_seq.currval from dual </selectKey>	insert into orcl_employee(id,last_name,email,gender) values(employee_seq.nextval,#{lastName},#{email},#{gender})
</insert>

resultMap元素

待解决问题: 结果集(表)中的列名和对象中的字段名称不匹配

如果是UserName与username不匹配,可以配置驼峰映射

mybatis:
#开启驼峰映射
configuration:map-underscore-to-camel-case: true

那如果是两个完全无关的属性名呢?

解决方案: 使用resultMap元素
eg:

   <resultMap id="UserMapper" type="UserEntity"><result column="u_id" property="id" /><result column="u_name" property="name" /><result column="u_pwd" property="pwd" /></resultMap>
<!-- 此处就使用 结果集对象映射, UserMapper -->
<select id="queryUserList" resultMap="UserMapper">select u_id, u_name, u_pwd from user1;
</select

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

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

相关文章

pulsar的架构与特性记录

一、什么是云原生 云原生的概念是2013年Matt Stine提出的,到目前为止&#xff0c;云原生的概念发生了多次变更&#xff0c;目前最新对云原生定义为: Devps持续交付微服务容器 而符合云原生架构的应用程序是: 采用开源堆栈(K8SDocker)进行容器化&#xff0c;基于微服务架构提高灵…

人工智能利用深度学习技术增强高级驾驶辅助系统(ADAS)

深度学习通过实时传感器数据增强高级驾驶辅助系统(ADAS)&#xff0c;实现精确的物体检测、碰撞预测和主动决策。 人工智能和机器学习利用深度学习技术的优势&#xff0c;使高级驾驶辅助系统(ADAS)发生了重大变革。ADAS在很大程度上依赖深度学习来分析和解释从各种传感器获得的…

Flutter 中使用 ICON

Flutter Icon URL &#xff1a; https://fonts.google.com/icons&#xff1a; 在Flutter中使用 Icon 步骤如下&#xff1a; 导入图标库 在Dart 文件中导入 material.dart 包&#xff0c;该包包含了 Flutter 的图标库。 import package:flutter/material.dart;使用图标组件 …

解决Vue.js not detected的问题

"Vue.js not detected"通常是由于Vue Devtools无法检测到你的Vue.js应用程序而引起的。这个问题可能有几种原因&#xff0c;下面是一些建议的解决方法&#xff1a; 1. **安装Vue Devtools浏览器插件:** - 确保你已经安装了Vue Devtools浏览器插件。你可以在Chrom…

救赎之道,就在其中

时光荏苒&#xff0c;不知不觉距离我踏入职场的第一天已经快一年了。最近也是看到平台举办年度征文活动&#xff0c;借此契机重新审视自己这两年来的成长历程&#xff0c;也希望对正在迷茫的人提供一些精神上的慰藉。 1.对未来的迷茫 如果要给两年前的自己打上标签&#xff0…

独立站营销:那些适合海外推广的视频平台!

对于独立站来说&#xff0c;利用视频平台进行营销是扩大影响力和吸引观众的重要策略。在海外推广视频网站时&#xff0c;选择适合的平台很关键。那么除了我们熟知的YouTube、TikTok等视频平台&#xff0c;还有哪些不错的海外视频网站呢&#xff1f; 一、Rumble 众所周知&…

在IntelliJ IDEA上使用通义灵码(TONGYI Lingma)

参考链接&#xff1a; 通义灵码产品介绍_智能编码助手_AI编程_云效(Apsara Devops)-阿里云帮助中心 【IDEA如何使用通义灵码&#xff1f;】_idea 通义灵码-CSDN博客 1. 简介 1.1 定义 通义灵码&#xff0c;是阿里云出品的一款基于通义大模型的智能编码辅助工具&#xff0c;提…

实现多级缓存(Redis+Caffeine)

文章目录 多级缓存的概述多级缓存的优势 多级缓存的概述 在高性能的服务架构设计中&#xff0c;缓存是一个不可或缺的环节。在实际的项目中&#xff0c;我们通常会将一些热点数据存储到Redis或MemCache这类缓存中间件中&#xff0c;只有当缓存的访问没有命中时再查询数据库。在…

【UE Niagara学习笔记】06 - 制作火焰喷射过程中飞舞的火星

在上一篇博客&#xff08;【UE Niagara学习笔记】05 - 喷射火焰顶部的蓝色火焰&#xff09;的基础上继续实现喷射火焰的火星的效果。 目录 效果 步骤 一、创建材质实例 二、添加新的发射器 2.1 设置粒子材质 2.2 设置发射器持续生成粒子 2.3 设置粒子生成数量 2.4 设…

前端项目构建打包生成Git信息文件

系列文章目录 TypeScript 从入门到进阶专栏 文章目录 系列文章目录前言一、前端项目构建打包生成Git信息文件作用二、步骤1.引入相关的npm包1.1. **fs** 包1.2. **child_process** 包1.3. **os** 包 (非必须 如果你想生成的文件信息中包含当前电脑信息则可用)1.4. **path** 包…

MySql -数据库基本概念

一、数据库的基本概念 1.为什么要学数据库&#xff1f; 之前我们如果想将一些数据实现永久化存储&#xff0c;可以怎么做呢&#xff1f;没错。使用IO流的技术将数据保存到本地文件中但是接下来我有这样一个需求&#xff1a;将下面的user.txt文件中的王五年龄修改为35 张三 2…

视频智能剪辑方案,企业视频制作新时代

视频已经成为了人们获取信息、娱乐和学习的重要方式。然而&#xff0c;传统的视频制作过程繁琐且耗时&#xff0c;这对于许多企业来说无疑是一个巨大的挑战。为了解决这个问题&#xff0c;美摄科技凭借其在机器学习、深度学习等AI算法方面的深厚积累&#xff0c;自主研发了一套…

RISC Zerod cargo-risczero相关模块代码解析

1. 引言 前序博客有&#xff1a; RISC Zero zk-STARK证明系统代码解析RISC Zero各功能模块代码解析 cargo-risczero模块开源代码见&#xff1a; https://github.com/risc0/risc0/tree/main/risc0/cargo-risczero&#xff08;Rust&#xff09; cargo-risczero模块&#xff…

23111 IO进程线程 day8

使用信号灯集完成三个进程的同步&#xff0c;A进程输出字符A&#xff0c;B进程输出字符B&#xff0c;C进程输出字符C&#xff0c;要求输出结果为ABCABCABCABCABC... #include<myhead.h> #include "sem.h"int main(int argc, const char *argv[]) {pid_t pid…

Linux的网络服务DHCP

一.了解DHCP服务 1.1 DHCP定义 DHCP&#xff08;动态主机配置协议&#xff09;是一个局域网的网络协议。指的是由服务器控制一段IP地址范围&#xff0c;客户机登录服务器时就可以自动获得服务器分配的IP地址和子网掩码。默认情况下&#xff0c;DHCP作为Windows Server的一个服…

【开发小程序多少钱?智创开发】

开发一个小程序费用主要看做什么和怎么做&#xff1f; 第一部分&#xff1a;做什么&#xff1f; 做什么是指功能部分&#xff0c;开发的功能不一样&#xff0c;耗时也就不一样&#xff0c;价格自然也就不一样了。就好比买房&#xff0c;套二的公寓和别墅价格自然差距很大。所…

软光栅透视校正插值写好了

我这文章写的六,自己不写什么过程,直接发张图片.我发一下我看的引用. 透视矫正插值 Perspective-Correct Interpolation 计算机图形学六&#xff1a;正确使用重心坐标插值(透视矫正插值(Perspective-Correct Interpolation))和图形渲染管线总结 一开始写错了,改了大概两天改…

代理IP连接不上/网速过慢?如何应对?

当您使用代理时&#xff0c;您可能会遇到不同的代理错误代码显示代理IP连不通、访问失败、网速过慢等种种问题。 在本文中中&#xff0c;我们将讨论您在使用代理IP时可能遇到的常见错误、发生这些错误的原因以及解决方法。 一、常见代理服务器错误 当您尝试访问网站时&#…

Golang Web框架性能对比

Golang Web框架性能对比 github star排名依次: Gin Beego Iris Echo Revel Buffalo 性能上gin、iris、echo网上是给的数据都是五星&#xff0c;beego三星&#xff0c;revel两星 beego是国产&#xff0c;有中文文档,文档齐全 根据star数&#xff0c;性能&#xff0c;易用程度…

UGUI Image图像控件替换图片

代码为探索而来&#xff0c;不是最优代码&#xff0c;请按需使用。 Unity3d引擎版本&#xff1a;Uinty3d 20233.2.3f1 补充一下图片如何改成Texture2D&#xff1a; 1、将图片导入unity。 2、选择图片&#xff0c;按下图操作&#xff0c;点击应用即可。 脚本代码&#xff1a…