软件编程
位置:首页>> 软件编程>> java编程>> mybatis错误之in查询 <foreach>循环问题

mybatis错误之in查询 <foreach>循环问题

作者:狼wolf  发布时间:2023-11-17 01:10:09 

标签:mybatis,in查询,foreach,循环

in查询 <foreach>循环问题

当我在做in查询的时候,发现在网上有很多种写法:

接口

public List<CaseReview > findList(CaseReview caseReview);

public class CaseReview{
private String caseNo;
private List<String> caseNos;//caseNo
//===gettter,setter省略===
}

1.我就随便用了一种传list,再foreach循环

具体如下:

t.case_no in 
<foreach item="item" index="index" collection="caseNos" open="(" separator="," close=")">  
#{item}  
</foreach> 

然而报:

org.apache.ibatis.reflection.ReflectionException: There is no getter for property named '__frch_item_0' in 'class

于是解决办法就出来了:

就是将 #{item} 改为 &lsquo;${item}&rsquo;就搞定了

<foreach item="item" index="index" collection="caseNos" open="(" separator="," close=")">  
   '${item}'  
</foreach>

如果你非要用#也不是不可以

<foreach item="item" index="index" collection="caseNos" open="(" separator="," close=")">  
             #{caseNos[${index}]}  
</foreach>

还有两种in查询方法,其实都在做foreach循环遍历

2.findByCaseNos(Long[] caseNos)

如果参数的类型是Array,则在使用时,collection属性要必须指定为 array

 caseNos in  
    <foreach item="item" index="index" collection="array" open="(" separator="," close=")">  
     #{caseNos}
    </foreach>  

3.findByCaseNos(String name, Long[] caseNos)

当查询的参数有多个时:

这种情况需要特别注意,在传参数时,一定要改用Map方式, 这样在collection属性可以指定名称

Map<String, Object> params = new HashMap<String, Object>();
 params.put("name", name);
 params.put("ids", caseNos);
 mapper.findByIdsMap(params);
 caseNos in  
     <foreach item="item" index="index" collection="caseNos" open="(" separator="," close=")">  
      #{item}  
     </foreach>

  

in查询和foreach标签使用

Mybatis中的foreach的主要用在构建in条件中,它可以在SQL语句中进行迭代一个集合。

foreach元素的属性主要有 item,index,collection,open,separator,close:

  • item:表示集合中每一个元素进行迭代时的别;

  • index:指定一个名字,用于表示在迭代过程中,每次迭代到的位置;

  • open:表示该语句以什么开始;

  • separator:表示在每次进行迭代之间以什么符号作为分隔 符;

  • close:表示以什么结束;

  • collection:在使用foreach的时候最关键的也是最容易出错的就是collection属性,该属性是必须指定的,但是在不同情况 下,该属性的值是不一样的,主要有一下3种情况:

1. 如果传入的是单参数且参数类型是一个List的时候,collection属性值为list

2. 如果传入的是单参数且参数类型是一个array数组的时候,collection的属性值为array

3.  如果传入的参数是多个的时候,我们就需要把它们封装成一个Map了,当然单参数也可以封装成map,实际上如果你在传入参数的时候,在breast里面也是会把它封装成一个Map的,map的key就是参数名,所以这个时候collection属性值就是传入的List或array对象在自己封装的map里面的key

下面分别来看看上述三种情况的示例代码:

 1.单参数List的类型

             <select id="dynamicForeachTest" resultType="Blog">
                    select * from t_blog where id in
                              <foreach collection="list" index="index" item="item" open="(" separator="," close=")">
                                        #{item}
                              </foreach>
           </select>

上述collection的值为list,对应的Mapper是这样的:

public List<Blog> dynamicForeachTest(List<Integer> ids);

测试代码:

              @Test
              public void dynamicForeachTest() {
                       SqlSession session = Util.getSqlSessionFactory().openSession();
                       BlogMapper blogMapper = session.getMapper(BlogMapper.class);
                       List<Integer> ids = new ArrayList<Integer>();
                       ids.add(1);
                       ids.add(3);
                       ids.add(6);
                       List<Blog> blogs = blogMapper.dynamicForeachTest(ids);
                       for (Blog blog : blogs){
                              System.out.println(blog);
                       }
                        session.close();
             }

 2.单参数Array的类型

             <select id="dynamicForeach2Test" resultType="Blog">
                     select * from t_blog where id in
                             <foreach collection="array" index="index" item="item" open="(" separator="," close=")">
                                    #{item}
                            </foreach>
            </select>

上述collection为array,对应的Mapper代码:

public List<Blog> dynamicForeach2Test(int[] ids);

对应的测试代码:         

@Test
         public void dynamicForeach2Test() {
                  SqlSession session = Util.getSqlSessionFactory().openSession();
                  BlogMapper blogMapper = session.getMapper(BlogMapper.class);
                  int[] ids = new int[] {1,3,6,9};
                  List<Blog> blogs = blogMapper.dynamicForeach2Test(ids);
                  for (Blog blog : blogs){
                          System.out.println(blog);
                  }
                 session.close();
           }

 3.多参数封装成Map的类型

         <select id="dynamicForeach3Test" resultType="Blog">
                    select * from t_blog where title like "%"#{title}"%" and id in
                             <foreach collection="ids" index="index" item="item" open="(" separator="," close=")">
                                       #{item}
                            </foreach>
        </select>

上述collection的值为ids,是传入的参数Map的key,对应的Mapper代码:

public List<Blog> dynamicForeach3Test(Map<String, Object> params);

对应测试代码:

@Test
        public void dynamicForeach3Test() {
                 SqlSession session = Util.getSqlSessionFactory().openSession();
                 BlogMapper blogMapper = session.getMapper(BlogMapper.class);
                 final List<Integer> ids = new ArrayList<Integer>();
                 ids.add(1);
                 ids.add(2);
                 ids.add(3);
                 ids.add(6);
                 Map<String, Object> params = new HashMap<String, Object>();
                 params.put("ids", ids);
                 params.put("title", "中国");
                 List<Blog> blogs = blogMapper.dynamicForeach3Test(params);
                 for (Blog blog : blogs)
                       System.out.println(blog);
                 session.close();
        }

4.嵌套foreach的使用

map 数据如下 Map<String,List<Long>>

测试代码如下:

       public void getByMap(){
        Map<String,List<Long>> params=new HashMap<String, List<Long>>();
        List<Long> orgList=new ArrayList<Long>();
        orgList.add(10000003840076L);
        orgList.add(10000003840080L);
        
        List<Long> roleList=new ArrayList<Long>();
        roleList.add(10000000050086L);
        roleList.add(10000012180016L);
        
        params.put("org", orgList);
        params.put("role", roleList);
        
        List<BpmDefUser> list= bpmDefUserDao.getByMap(params);
        System.out.println(list.size());
    }

dao代码如下:

public List<BpmDefUser> getByMap(Map<String,List<Long>> map){
            Map<String,Object> params=new HashMap<String, Object>();
            params.put("relationMap", map);
            return this.getBySqlKey("getByMap", params);
    }

xml代码如下:

<select id="getByMap" resultMap="BpmDefUser">
        
            <foreach collection="relationMap" index="key"  item="ent" separator="union">
                SELECT *
                FROM BPM_DEF_USER
                where  RIGHT_TYPE=#{key}
                and OWNER_ID in 
                <foreach collection="ent"  item="id" separator="," open="(" close=")">
                    #{id}
                </foreach>
            </foreach>
        
    </select>

index 作为map 的key。item为map的值,这里使用了嵌套循环,嵌套循环使用ent。

《项目实践》

@Override
public Container<Map<String,Object>> findAuditListInPage(
Map<String, Object> params) {
//1、参数组装
PageModel pageMode = new PageModel();
try {
if(params.get("page")!=null){
pageMode.setPage(Integer.parseInt(params.get("page").toString()));
}
if(params.get("rows")!=null){
pageMode.setRows(Integer.parseInt(params.get("rows").toString()));
}
} catch (Exception e) {
Assert.customException(RestApiError.COMMON_ARGUMENT_NOTVALID);
}
//分页条件组装
pageMode.putParam(params);
if(params.get("startCreateTime") !=null){
Date parse = DateUtil.parse(params.get("startCreateTime").toString(), DateUtil.yyyyMMddHHmmss);
params.put("startCreateTime",parse);
}
if(params.get("endCreateTime") !=null){
Date parse = DateUtil.parse(params.get("endCreateTime").toString(), DateUtil.yyyyMMddHHmmss);
params.put("endCreateTime",parse);
}
if(params.get("type") !=null){  //type可以多选
String typeString = params.get("type").toString();
String typeArray [] = typeString.split(",");
params.put("type", typeArray);
}
if(params.get("state") !=null){ //state可以多选
String stateString = params.get("state").toString();
if(stateString.equals(DictConstants.APPLICATION_STATE.AUDITING)
               ||stateString.equals(DictConstants.APPLICATION_STATE.WAITING_AUDIT)){
stateString = "waitingAudit,auditing";
}
String stateArray [] = stateString.split(",");
params.put("state", stateArray);
}
//分页数据组装
Container<Map<String,Object>> container = new Container<Map<String,Object>>();
List<Map<String,Object>> auditModelList = cmApplicationRepo.findAuditList(params);
for(Map<String,Object> audit:auditModelList){
//设置是否关注过
Long auditId = Long.parseLong(audit.get("auditId").toString());
Long auditPersonId = Long.parseLong(params.get("auditPersonId").toString());
Map<String, Object> followMap = new HashMap<String,Object>();
followMap.put("sourceType", DictConstants.FOLLOW_SOURCE_TYPE.FOLLOW_APPLICATION);
followMap.put("sourceId", auditId);
followMap.put("userId", auditPersonId);
List<BizFollowModel> followList = bizFollowService.find(followMap);
if(followList!= null && followList.size()>0){
audit.put("isFollow", "true");
}else{
audit.put("isFollow", "false");
}
}
container.setList(auditModelList);
container.setTotalNum(cmApplicationRepo.countAuditListNumber(params));
return container;
}

DAO

@Override
public List<Map<String,Object>> findAuditList(Map<String, Object> map) {
return findList("getAuditList", map);
}

xml

<!-- 查询申请列表-->
<select id="getApplicationList" resultType="java.util.Map" parameterType="map">
select
a.ID AS id,
a.STATE AS stateCode, b.DICT_VALUE AS stateValue,
a.ITEM AS itemCode, c.DICT_VALUE AS itemValue,
a.TYPE AS typeCode, d.DICT_VALUE AS typeValue,
a.APP_PERSON_ID AS appPersonId,
a.CREATE_TIME AS createTime
from cm_application a
LEFT JOIN cm_dict_type b on a.STATE = b.DICT_CODE AND b.TYPE = 'Application_State'
LEFT JOIN cm_dict_type c on a.ITEM = c.DICT_CODE
LEFT JOIN cm_dict_type d on a.TYPE = d.DICT_CODE
where 1=1
<if test="item != null" >
and a.ITEM = #{item,jdbcType=VARCHAR}
</if>
<if test="type != null" > 
and a.TYPE IN 
<foreach item="typeArray" index="index" collection="type" open="(" separator="," close=")">
#{typeArray}
</foreach>
</if>
<if test="appPersonId != null" >
and a.APP_PERSON_ID = #{appPersonId,jdbcType=BIGINT}
</if>
<if test="state != null" >
and a.STATE IN
<foreach item="stateArray" index="index" collection="state" open="(" separator="," close=")">
#{stateArray}
</foreach>
</if>
<!-- 分页查询时,要选择createTime在starCreateTime和endCreatetTime之间的记录 -->
<if test="startCreateTime != null" >
and a.CREATE_TIME &gt;= #{startCreateTime,jdbcType=TIMESTAMP}
</if>
<if test="endCreateTime != null" >
and a.CREATE_TIME &lt;= #{endCreateTime,jdbcType=TIMESTAMP}
</if>
order by a.ID
<include refid="Paging" />
</select>

来源:https://blog.csdn.net/u013025181/article/details/62418569

0
投稿

猜你喜欢

  • 补充使用Spring Cloud Config加密功能需要下载JCE扩展,用于生成无限长度的密文。链接:http://www.oracle.
  • 概述从今天开始, 小白我将带大家开启 Jave 数据结构 & 算法的新篇章.栈栈 (Stack) 是一种运算受限的线性表, 遵循先进
  • DllImport是System.Runtime.InteropServices命名空间下的一个属性类,其功能是提供从非托管DLL导出的函数
  • 这篇文章主要介绍了Java JVM程序指令码实例解析,文中通过示例代码介绍的非常详细,对大家的学习或者工作具有一定的参考学习价值,需要的朋友
  • 本文实例为大家分享了Java实现计算器设计的具体代码,供大家参考,具体内容如下需求分析目的是实现一个基于Java的可以求解带括号加减乘除表达
  • 一、多表联合分页查询1.多表联合查询结果集建议使用VO类,当然也可以使用resultMappackage com.cjhx.tzld.ent
  • Unity如何实现换装系统,供大家参考,具体内容如下1.创建Sprite Library Asset2.添加新目录Label 可以理解为标签
  • INotifyPropertyChanged:该接口包含一个事件, 针对属性发生变更时, 执行该事件发生。//    /
  • 这篇文章主要介绍了springboot集成fastDfs过程代码实例,文中通过示例代码介绍的非常详细,对大家的学习或者工作具有一定的参考学习
  • DrawingContext比较类似WinForm中的Graphics 类,是基础的绘图对象,用于绘制各种图形,它主要API有如下
  • 本篇文章尝试从What、Why、How这三个角度来探索Java中的弱引用,帮助大家理解Java中弱引用的定义、基本使用场景和使用方法。由于个
  • 引言依照领导要求区分了两种压测模式:固定次数压测和固定时间压测。此前一直沿用的都是固定次数,所以本次第二版剥离了固定次数的模式增加了固定时间
  • 前言今天刷个题,遇到一个很有趣的问题,关于Comparator的使用,感觉也是一个关于写代码的一些小细节的问题关于ComparatorCom
  • 云计算、大数据地快速发展催生了不少热门的应用及工具。作为老牌语言Java,其生态圈也出来了一些有关云服务、监控、文档分享方面的工具。本文总结
  • springboot开启事务很简单,只需要一个注解@Transactional 就可以了。因为在springboot中已经默认对jpa、jd
  • 这篇文章主要介绍了Java如何把数组转换为ArrayList,文中通过示例代码介绍的非常详细,对大家的学习或者工作具有一定的参考学习价值,需
  • Java类库及其组织结构(Java API)Java 官方为开发者提供了很多功能强大的类,这些类被分别放在各个包中,随JDK一起发布,称为J
  • 一、广播机制概述通常情况下在学校的每个教室都会装有一个喇叭,这些喇叭是接入到学校广播室的。如果有重要通知,会发送一条广播来告知全校师生。为了
  • 本文实例讲述了Java基于正则实现的日期校验功能。分享给大家供大家参考,具体如下:private void checkDate() thro
  • 最近由于项目需要把不同格式的视频转换为ts流,故研究了一下ffmpeg。在网上找了很多资料,主要参考了Java+Windows+ffmpeg
手机版 软件编程 asp之家 www.aspxhome.com