小蚂蚁 发表于 2021-10-8 11:25:37

详解MyBatis模糊查询LIKE的三种方式

模糊查询也是数据库SQL中使用频率很高的SQL语句,这篇文章主要介绍了详解MyBatis模糊查询LIKE的三种方式,非常具有实用价值,需要的朋友可以参考下
模糊查询也是数据库sql中使用频率很高的sql语句,使用mybatis来进行更加灵活的模糊查询。
直接传参法
直接传参法,就是将要查询的关键字keyword,在代码中拼接好要查询的格式,如%keyword%,然后直接作为参数传入mapper.xml的映射文件中。


public void selectbykeyword(string keyword) {
   string id = "%" + keyword + "%";
   string roletype = "%" + keyword + "%";
   string rolename = "%" + keyword + "%";
   userdao.selectbykeyword(id,rolename,roletype);
}
在dao层指定各个参数的别名
复制代码 代码如下:
list<roleentity> selectbykeyword(@param("id") string id,@param("rolename") string rolename,@param("roletype") string roletype);

<select id="selectbykeyword" parametertype="string" resulttype="com.why.mybatis.entity.roleentity">
    select
      *
    from
      t_role
    where
      role_name like #{rolename}
      or id like #{id}
      or role_type like #{roletype}
</select>
执行出来的sql语句:


select
*
from
t_role
where
role_name like '%why%'
or id like '%why%'
or role_type like '%why%';
concat()函数
mysql的 concat()函数用于将多个字符串连接成一个字符串,是最重要的mysql函数之一。


concat(str1,str2,...)


list<roleentity> selectbykeyword(@param("keyword") string keyword);


<select id="selectbykeyword" parametertype="string" resulttype="com.why.mybatis.entity.roleentity">
select
    *
from
    t_role
where
    role_name like concat('%',#{keyword},'%')
or
    id like concat('%',#{keyword},'%')
or
    role_type like concat('%',#{keyword},'%')
</select>
mybatis的bind


list<roleentity> selectbykeyword(@param("keyword") string keyword);


<select id="selectbykeyword" parametertype="string" resulttype="com.why.mybatis.entity.roleentity">
    <bind name="pattern" value="'%' + keyword + '%'" />
    select
    *
    from
    t_role
    where
    role_name like #{pattern}
    or
    id like #{pattern}
    or
    role_type like #{pattern}
</select>
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持CodeAE代码之家。
原文链接:https://blog.csdn.net/why15732625998/article/details/79081146

http://www.zzvips.com/article/168927.html
页: [1]
查看完整版本: 详解MyBatis模糊查询LIKE的三种方式