MyBatis线上问题处理(必看):if标签的应用
作者:互联网
1.在WHERE条件中使用if
<!--
在WHERE条件中使用if
需求:
实现一个用户管理高级查询功能,根据输入的条件去检索用户信息。这个功能
还需要支持以下三种情况:当只有输入用户名时,需要根据用户名进行模糊查
询;当只有输入邮箱时,根据邮箱进行完全匹配;当同时输入用户名与邮箱时
用这两个条件去查询匹配的用户。
<if>便签有一个必填的属性test,test的属性值是一个符合OGNL要求的判断表达式,
表达式的结果可以是true或者false,初次之外所有的的非0值都为true,只有0为false。
且有如下规则:
1.判断条件property!=null或者property==null:适用于任何类型的字段,用于判断属性值是否为空
2.判断条件property!=''或者property=='':仅适用于String类型的字段,用于判断是否为空字符串
3.and和or:当有多个判断条件时,适用and或or进行连接,嵌套的判断可以适用小括号分组。
-->
<!--不能满足需求的代码,标记下模糊匹配的写法-->
<select id="selectByUser" resultType="tk.mybatis.simple.model.SysUser">
select
id,
use_name userName,
user_password userPassword,
user_email userEmail,
user_info userInfo,
head_img headImg,
create_time createTime
from sys_user
where
user_name like concat('%',#{userName},'%') and
uer_email=#{userEmail}
</select>
<!--改进后的代码-->
<select id="selectByUser" resultType="tk.mybatis.simple.model.SysUser">
select
id,
use_name userName,
user_password userPassword,
user_email userEmail,
user_info userInfo,
head_img headImg,
create_time createTime
from sys_user
where
1=1
<if test="userName!=null and userName!=''">
and user_name like concat('%',#{userName},'%')
</if>
<if test="userEmail!=null and userEmail!=''">
and user_email = #{userEmail}
</if>
</select>
2.在UPDATE更新列中使用if
<!--
在UPDATE更新列中使用if
需求:
只更新有变化的字段,需要注意,更新的时候不能将原来的值
但没有发生变化的字段更新为空或null。
-->
<update id="updateByIdSelective">
update sys_user
set
<if test="userName!=null and userName!=''">
user_name=#{userName},
</if>
<if test="userEmail!=null and userEmail!=''">
user_email=#{userEmail},
</if>
<if test="userInfo!=null and userInfo!=''">
user_info=#{userInfo},
</if>
<if test="headImg!=null">
head_img=#{headImg},
</if>
<if test="createTime!=null">
create_time=#{createTime},
</if>
id=#{id}
where id=#{id}
</update>
3.在INSERT动态插入列中使用if
<!--
在INSERT动态插入列中使用if
需求:
在数据库中插入数据的时候,如果某一列的参数值不为空,就使用传入的值,如果传入
的参数为空,就使用数据库中的默认值(通常是空),而不使用传入的空值。
-->
<insert id="insert2" useGeneratedKeys="true" keyProperty="id">
INSERT INTO sys_user
(id,user_name,user_password,
<if test="userEmail!=null and uerEmail!=''">
user_email,
</if>
user_info,head_img,create_time)
VALUES
(#{id},#{userName},#{userPassword},
<if test="userEmail!=null and uerEmail!=''">
#{userEmail},
</if>
#{userInfo},#{headImg,jdbcType=BLOB},#{createTime,jdbcType=TIMESTAMP})
</insert>
4.想要判断是否相等的时候,可以使用如下方法
//判断是否相等
<if test='type == "4"'></if>
//判断不等于
<if test="udun!=null and udun!=''"></if>
//区别就是仔细看,双引号的位置不同,相等在里面,不等在外面
标签:userName,userEmail,name,必看,标签,email,user,MyBatis,id 来源: https://blog.csdn.net/weixin_42842069/article/details/98211405