MyBatis参数获取和传递

1、参数获取方式

MyBatis可以通过以下两种方式获取参数值:

  • #{变量名}
    本质是占位符赋值

  • ${变量名}

    本质是字符串拼接,如果拼接的是字符串类型或日期类型,则需要手动添加单引号

2、参数获取的几种情况:

2.1 mapper接口方法的参数为单个字面量类型

可以通过${}#{}以任意名称获取变量值,需注意${}的单引号问题

如下:

    public interface UserMapper {User selectUserByUserName(String username);}
    <select id="selectUserByUserName" resultType="User"><!-- select * from t_user where username = '${username}' -->select * from t_user where username = #{username}</select>
2.2 mapper接口方法的参数为多个时

mybatis会将多个参数封装到map集合中,并以两种方式存储:

  • 方式一:以arg0,arg1,arg2,…为键,以参数为值
  • 方式二:以param1,param2,param3,…为键,以参数为值

可以通过#{}${}两种方式以键的方式获取值即可,需注意${}的单引号问题

如下:

    List<User> selectUserByUserNameAndAge(String username, Integer age, String sex);
    <select id="selectUserByUserNameAndAge" resultType="User"><!-- select * from t_user where username = '${arg0}' and age = ${arg1} and sex = '${arg2}' -->select * from t_user where username = #{arg0} and age = #{arg1} and sex = #{arg2}</select>
2.3 mapper接口方法有多个参数时,手动封装map参数

可以通过#{}${}两种方式以键的方式获取值即可,需注意${}的单引号问题

如下:

    @Testpublic void testQueryByMapParam(){SqlSession sqlSession = SqlSessionUtil.getSqlSession();UserMapper userMapper = sqlSession.getMapper(UserMapper.class);Map<String, Object> map = new HashMap<>();map.put("username", "李斯");map.put("age", 23);map.put("sex", "女");List<User> admin = userMapper.selectUserByMap(map);admin.stream().forEach(System.out::println);}
    List<User> selectUserByMap(Map<String, Object> map);
    <select id="selectUserByMap" resultType="User">select * from t_user where username = #{username} and age = #{age} and sex = #{sex}</select>
2.4 mapper接口方法的参数为实体类类型的参数

可以通过${}#{}以任意名称获取变量值,需注意${}的单引号问题

如下:

    @Testpublic void testInsertUser(){SqlSession sqlSession = SqlSessionUtil.getSqlSession();UserMapper userMapper = sqlSession.getMapper(UserMapper.class);User user = new User();user.setUsername("中华");user.setPassword("123456");user.setAge(32);user.setSex("男");int i = userMapper.insertUser(user);System.out.println(i);}
    int insertUser(User user);
    <insert id="insertUser">insert into t_user values(null, #{username}, #{password}, #{age}, #{sex})</insert>
2.5 使用@Param注解命名参数

mybatis会将多个参数封装到map集合中,并以两种方式存储:

  • 方式一:以@Param注解的值为键,以参数为值
  • 方式二:以param1,param2,param3,…为键,以参数为值
    因此可以通过${}#{}以任意名称获取变量值,需注意${}的单引号问题
    @Testpublic void testQueryByParam(){SqlSession sqlSession = SqlSessionUtil.getSqlSession();UserMapper userMapper = sqlSession.getMapper(UserMapper.class);List<User> admin = userMapper.selectUserByParam("李斯", 23, "女");admin.stream().forEach(System.out::println);}
    List<User> selectUserByParam(@Param("username") String username, @Param("age") Integer age, @Param("sex") String sex);
    <select id="selectUserByParam" resultType="User">select * from t_user where username = #{username} and age = #{age} and sex = #{sex}</select>

3、MyBatis参数解析原理:

3.1 参数封装

主要分析MyBatis对接口参数的处理,如参数的封装、参数值的获取原理。

org.apache.ibatis.reflection.ParamNameResolver#ParamNameResolverorg.apache.ibatis.reflection.ParamNameResolver#getNamedParams
  • ParamNameResolver构造
    构造方法中处理方法参数的映射,建立参数的索引和参数名的映射关系。
    // 参数名称处理public ParamNameResolver(Configuration config, Method method) {// 是否使用真实的参数名,默认为truethis.useActualParamName = config.isUseActualParamName();// 获取方法的参数类型数组final Class<?>[] paramTypes = method.getParameterTypes();// 获取方法参数注解final Annotation[][] paramAnnotations = method.getParameterAnnotations();// 存储参数信息临时对象final SortedMap<Integer, String> map = new TreeMap<>();int paramCount = paramAnnotations.length;// get names from @Param annotationsfor (int paramIndex = 0; paramIndex < paramCount; paramIndex++) {/**The key is the index and the value is the name of the parameter. The name is obtained from Param if specified. When Param is not specified, the parameter index is used. Note that this index could be different from the actual index when the method has special parameters (i.e. RowBounds or ResultHandler).aMethod(@Param("M") int a, @Param("N") int b) -> {{0, "M"}, {1, "N"}}aMethod(int a, int b) -> {{0, "0"}, {1, "1"}}aMethod(int a, RowBounds rb, int b) -> {{0, "0"}, {2, "1"}}*/if (isSpecialParameter(paramTypes[paramIndex])) {// 跳过特殊参数 ,如RowBounds 或 ResultHandlercontinue;}String name = null;for (Annotation annotation : paramAnnotations[paramIndex]) {if (annotation instanceof Param) {// 当前参数存在@Param注解时,参数名设置为注解的value值hasParamAnnotation = true;name = ((Param) annotation).value();break;}}if (name == null) {// 如果存在@Param注解,且没有指定参数名if (useActualParamName) {// 取出方法参数名,如果时单一普通参数,则返回arg0name = getActualParamName(method, paramIndex);}if (name == null) {// use the parameter index as the name ("0", "1", ...)// gcode issue #71// 此时,将索引作为参数名name = String.valueOf(map.size());}}map.put(paramIndex, name);}names = Collections.unmodifiableSortedMap(map);}
  • getNamedParams

建立参数名和参数值的映射关系,并返回参数值

      /*** <p>* A single non-special parameter is returned without a name. Multiple parameters are named using the naming rule. In* addition to the default names, this method also adds the generic names (param1, param2, ...).* </p>** @param args*          the args** @return the named params*/public Object getNamedParams(Object[] args) {final int paramCount = names.size();if (args == null || paramCount == 0) {return null;}// 单一参数,且没有@Param注解时if (!hasParamAnnotation && paramCount == 1) {Object value = args[names.firstKey()];// 此处会对集合类型的参数进行包装处理return wrapToMapIfCollection(value, useActualParamName ? names.get(names.firstKey()) : null);} else {// 建立参数名和值的映射,key:参数名 value:参数值final Map<String, Object> param = new ParamMap<>();int i = 0;for (Map.Entry<Integer, String> entry : names.entrySet()) {// 1.添加命名参数和参数值的映射关系param.put(entry.getValue(), args[entry.getKey()]);// add generic param names (param1, param2, ...)final String genericParamName = GENERIC_NAME_PREFIX + (i + 1);// ensure not to overwrite parameter named with @Paramif (!names.containsValue(genericParamName)) {// 2.同时添加一个以param1,param2...为参数名 和 参数值的映射关系param.put(genericParamName, args[entry.getKey()]);}i++;}return param;}}

wrapToMapIfCollection

      /*** Wrap to a {@link ParamMap} if object is {@link Collection} or array.** @param object*          a parameter object* @param actualParamName*          an actual parameter name (If specify a name, set an object to {@link ParamMap} with specified name)** @return a {@link ParamMap}** @since 3.5.5*/public static Object wrapToMapIfCollection(Object object, String actualParamName) {// 如果是集合类型,则包装key为collection、list的map返回if (object instanceof Collection) {ParamMap<Object> map = new ParamMap<>();map.put("collection", object);if (object instanceof List) {map.put("list", object);}Optional.ofNullable(actualParamName).ifPresent(name -> map.put(name, object));return map;}// 如果是数据组类型,则包装key为array的map返回if (object != null && object.getClass().isArray()) {ParamMap<Object> map = new ParamMap<>();map.put("array", object);Optional.ofNullable(actualParamName).ifPresent(name -> map.put(name, object));return map;}// 如果不是集合类型或数组类型,则直接返回当前值return object;}
3.2 参数调用

在org.apache.ibatis.binding.MapperMethod#execute方法中,通过convertArgsToSqlCommandParam获取参数值。

    public Object execute(SqlSession sqlSession, Object[] args) {Object result;switch (command.getType()) {case INSERT: {Object param = method.convertArgsToSqlCommandParam(args);result = rowCountResult(sqlSession.insert(command.getName(), param));break;}case UPDATE: {Object param = method.convertArgsToSqlCommandParam(args);result = rowCountResult(sqlSession.update(command.getName(), param));break;}case DELETE: {Object param = method.convertArgsToSqlCommandParam(args);result = rowCountResult(sqlSession.delete(command.getName(), param));break;}case SELECT:if (method.returnsVoid() && method.hasResultHandler()) {executeWithResultHandler(sqlSession, args);result = null;} else if (method.returnsMany()) {result = executeForMany(sqlSession, args);} else if (method.returnsMap()) {result = executeForMap(sqlSession, args);} else if (method.returnsCursor()) {result = executeForCursor(sqlSession, args);} else {// 获取参数值Object param = method.convertArgsToSqlCommandParam(args);result = sqlSession.selectOne(command.getName(), param);if (method.returnsOptional() && (result == null || !method.getReturnType().equals(result.getClass()))) {result = Optional.ofNullable(result);}}break;case FLUSH:result = sqlSession.flushStatements();break;default:throw new BindingException("Unknown execution method for: " + command.getName());}if (result == null && method.getReturnType().isPrimitive() && !method.returnsVoid()) {throw new BindingException("Mapper method '" + command.getName()+ "' attempted to return null from a method with a primitive return type (" + method.getReturnType() + ").");}return result;}

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

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

相关文章

判断一个Series序列的值是否为单调递减Series.is_monotonic_decreasing

【小白从小学Python、C、Java】 【计算机等考500强证书考研】 【Python-数据分析】 判断一个Series序列中 各值是否单调递减 s.is_monotonic_decreasing [太阳]选择题 以下代码的输出结果中正确的是? import pandas as pd s1 pd.Series([3,2,1]) s2 pd.Series([3,2,4]) pri…

【代码随想录】算法训练计划41

dp 1、343. 整数拆分 题目&#xff1a; 给定一个正整数 n &#xff0c;将其拆分为 k 个 正整数 的和&#xff08; k > 2 &#xff09;&#xff0c;并使这些整数的乘积最大化。 返回 你可以获得的最大乘积 。 输入: n 10 输出: 36 解释: 10 3 3 4, 3 3 4 36。 思路…

Kotlin Flow 操作符

前言 Kotlin 拥有函数式编程的能力&#xff0c;使用Kotlin开发&#xff0c;可以简化开发代码&#xff0c;层次清晰&#xff0c;利于阅读。 然而Kotlin拥有操作符很多&#xff0c;其中就包括了flow。Kotlin Flow 如此受欢迎大部分归功于其丰富、简洁的操作符&#xff0c;巧妙使…

【矩阵论】Chapter 7—Hermite矩阵与正定矩阵知识点总结复习

文章目录 1 Hermite矩阵2 Hermite二次型3 Hermite正定&#xff08;非负定矩阵&#xff09;4 矩阵不等式 1 Hermite矩阵 定义 设 A A A为 n n n阶方阵&#xff0c;如果称 A A A为Hermite矩阵&#xff0c;则需满足 A H A A^HA AHA&#xff0c;其中 A H A^H AH表示 A A A的共轭转…

数据结构入门————树(C语言/零基础/小白/新手+模拟实现+例题讲解)

目录 1. 树的概念及其结构 1.1 树的概念&#xff1a; 1.2 树的相关概念&#xff1a; 1.3 树的表示方法&#xff1a; ​编辑 1.4 树的应用&#xff1a; 2. 二叉树的概念及其结构 2.1 概念: 2.2 特点&#xff1a; 2.3 特殊二叉树&#xff1a; 2.4 二叉树的性质&#xf…

【深度学习】注意力机制(一)

本文介绍一些注意力机制的实现&#xff0c;包括SE/ECA/GE/A2-Net/GC/CBAM。 目录 一、SE&#xff08;Squeeze-and-Excitation&#xff09; 二、ECA&#xff08;Efficient Channel Attention&#xff09; 三、GE&#xff08;Gather-Excite&#xff09; 四、A2-Net(Double A…

二维码智慧门牌管理系统升级解决方案:数字鉴权

文章目录 前言一、数字鉴权的核心机制二、数字鉴权的意义和应用 前言 随着科技的飞速发展&#xff0c;我们的生活逐渐进入数字化时代。在这个数字化的过程中&#xff0c;数据的安全性和门牌信息的保障变得至关重要。今天&#xff0c;我们要介绍的是二维码智慧门牌管理系统升级…

【论文复现】zoedepth踩坑

注意模型IO&#xff1a; 保证输入、输出精度、类型与复现目标一致。 模型推理的代码 from torchvision import transforms def image_to_tensor(img_path, unsqueezeTrue):rgb transforms.ToTensor()(Image.open(img_path))if unsqueeze:rgb rgb.unsqueeze(0)return rgbdef…

dockerdesktop 导出镜像,导入镜像

总体思路 备份时 容器 > 镜像 > 本地文件 恢复时 本地文件 > 镜像 > 容器 备份步骤 首先,把容器生成为镜像 docker commit [容器名称] [镜像名称] 示例 docker commit nginx mynginx然后,把镜像备份为本地文件,如果使用的是Docker Desktop,打包备份的文件会自动存…

机器学习笔记 - 基于C# + .net framework 4.8的ONNX Runtime进行分类推理

该示例是从官方抄的,演示了如何使用 Onnx Runtime C# API 运行预训练的 ResNet50 v2 ONNX 模型。 我这里的环境基于.net framework 4.8的一个winform项目,主要依赖下面版本的相关库。 Microsoft.Bcl.Numerics.8.0.0 Microsoft.ML.OnnxRuntime.Gpu.1.16.3 SixLabors.ImageShar…

MyString:string类的模拟实现 1

MyString&#xff1a;string类的模拟实现 前言&#xff1a; 为了区分标准库中的string&#xff0c;避免编译冲突&#xff0c;使用命名空间 MyString。 namespace MyString {class string{private:char* _str;size_t _size;size_t _capacity;const static size_t npos -1;// C标…

2023年 - 我的程序员之旅和成长故事

2023年 - 我的程序员之旅和成长故事 &#x1f525; 1.前言 大家好&#xff0c;我是Leo哥&#x1fae3;&#x1fae3;&#x1fae3;&#xff0c;今天咱们不聊技术&#xff0c;聊聊我自己&#xff0c;聊聊我从2023年年初到现在的一些经历和故事&#xff0c;我也很愿意我的故事分…

TS学习——快速入门

TypeScript简介 TypeScript是JavaScript的超集。它对JS进行了扩展&#xff0c;向JS中引入了类型的概念&#xff0c;并添加了许多新的特性。TS代码需要通过编译器编译为JS&#xff0c;然后再交由JS解析器执行。TS完全兼容JS&#xff0c;换言之&#xff0c;任何的JS代码都可以直…

Android 样式小结

关于作者&#xff1a;CSDN内容合伙人、技术专家&#xff0c; 从零开始做日活千万级APP。 专注于分享各领域原创系列文章 &#xff0c;擅长java后端、移动开发、商业变现、人工智能等&#xff0c;希望大家多多支持。 目录 一、导读二、概览三、使用3.1 创建并应用样式3.2 创建并…

DJI ONBOARD SDK—— 基础控制功能 Joystick的讲解,使用和扩展

DJI ONBOARD SDK/DJI OSDK ROS—— 基础控制功能 Joystick的使用 概述 使用OSDK/OSDK_ROS 的无人机飞行控制功能&#xff0c;能够设置并获取无人机各项基础参数&#xff0c;控制无人机执行基础飞行动作&#xff0c;通过Joystick 功能控制无人机执行复杂的飞行动作。 Joystic…

【精彩回顾】恒拓高科亮相第十一届深圳军博会

2023年12月6日-8日&#xff0c;由中国和平利用军工技术协会、全国工商联科技装备业商会、深圳市国防科技工业协会等单位主办以及政府相关部门支持&#xff0c;深圳企发展览有限公司承的“2023第11届中国&#xff08;深圳&#xff09;军民两用科技装备博览会&#xff08;深圳军博…

02 CSS基础入门

文章目录 一、CSS介绍1. 简介2. 相关网站3. HTML引入方式 二、选择器1. 标签选择器2. 类选择器3. ID选择器4. 群组选择器 四、样式1. 字体样式2. 文本样式3. 边框样式4. 表格样式 五、模型和布局1. 盒子模型2. 网页布局 一、CSS介绍 1. 简介 CSS主要用于控制网页的外观&#…

C#如何使用SqlSugar操作MySQL/SQL Server数据库

一. SqlSugar 连接MySQL数据库 public class MySqlCNHelper : Singleton<MySqlCNHelper>{public static SqlSugarClient CnDB;public void InitDB() {//--------------------MySQL--------------------CnDB new SqlSugarClient(new ConnectionConfig(){ConnectionString…

穷举问题-搬砖(for循环)

某工地需要搬运砖块&#xff0c;已知男人一人搬3块&#xff0c;女人一人搬2块&#xff0c;小孩两人搬1块。如果想用n人正好搬n块砖&#xff0c;问有多少种搬法&#xff1f; 输入格式: 输入在一行中给出一个正整数n。 输出格式: 输出在每一行显示一种方案&#xff0c;按照&q…

玩转大数据12:大数据安全与隐私保护策略

1. 引言 大数据的快速发展&#xff0c;为各行各业带来了巨大的变革&#xff0c;也带来了新的安全和隐私挑战。大数据系统通常处理大量敏感数据&#xff0c;包括个人身份信息、财务信息、健康信息等。如果这些数据被泄露或滥用&#xff0c;可能会对个人、企业和社会造成严重的损…