mybatis学习之路----批量更新数据两种方法效率对比

原文:https://blog.csdn.net/xu1916659422/article/details/77971696/

上节探讨了批量新增数据,这节探讨批量更新数据两种写法的效率问题。

实现方式有两种,

一种用for循环通过循环传过来的参数集合,循环出N条sql,

另一种 用mysql的case when 条件判断变相的进行批量更新

下面进行实现。

注意第一种方法要想成功,需要在db链接url后面带一个参数  &allowMultiQueries=true

即:  jdbc:mysql://localhost:3306/mysqlTest?characterEncoding=utf-8&allowMultiQueries=true

其实这种东西写过来写过去就是差不多一样的代码,不做重复的赘述,直接上代码。

<!-- 这次用resultmap接收输出结果  -->
    <select id="findByName" parameterType="string" resultMap="customerMap">
        select * from t_customer where c_name like concat(‘%‘, #{name},‘%‘) order by c_ceroNo limit 0,100
    </select>

    <!-- 批量更新第一种方法,通过接收传进来的参数list进行循环着组装sql -->
    <update id="batchUpdate" parameterType="java.util.Map">
        <!-- 接收list参数,循环着组装sql语句,注意for循环的写法
             separator=";" 代表着每次循环完,在sql后面放一个分号
             item="cus" 循环List的每条的结果集
             collection="list" list 即为 map传过来的参数key -->
        <foreach collection="list" separator=";" item="cus">
            update t_customer set
            c_name = #{cus.name},
            c_age = #{cus.age},
            c_sex = #{cus.sex},
            c_ceroNo = #{cus.ceroNo},
            c_ceroType = #{cus.ceroType}
            where id = #{cus.id}
        </foreach>
    </update>

    <!-- 批量更新第二种方法,通过 case when语句变相的进行批量更新 -->
    <update id="batchUpdateCaseWhen" parameterType="java.util.Map">
        update t_customer
        <trim prefix="set" suffixOverrides=",">
            <!-- 拼接case when 这是一种写法 -->
            <!--<foreach collection="list" separator="" item="cus" open="c_age = case id" close="end, ">-->
            <!--when #{cus.id} then #{cus.age}-->
            <!--</foreach>-->

            <!-- 拼接case when 这是另一种写法,这种写着更专业的感觉 -->
            <trim prefix="c_name =case" suffix="end,">
                <foreach collection="list" item="cus">
                    <if test="cus.name!=null">
                        when id=#{cus.id} then #{cus.name}
                    </if>
                </foreach>
            </trim>
            <trim prefix="c_age =case" suffix="end,">
                <foreach collection="list" item="cus">
                    <if test="cus.age!=null">
                        when id=#{cus.id} then #{cus.age}
                    </if>
                </foreach>
            </trim>
            <trim prefix="c_sex =case" suffix="end,">
                <foreach collection="list" item="cus">
                    <if test="cus.sex!=null">
                        when id=#{cus.id} then #{cus.sex}
                    </if>
                </foreach>
            </trim>
            <trim prefix="c_ceroNo =case" suffix="end,">
                <foreach collection="list" item="cus">
                    <if test="cus.ceroNo!=null">
                        when id=#{cus.id} then #{cus.ceroNo}
                    </if>
                </foreach>
            </trim>
            <trim prefix="c_ceroType =case" suffix="end,">
                <foreach collection="list" item="cus">
                    <if test="cus.ceroType!=null">
                        when id=#{cus.id} then #{cus.ceroType}
                    </if>
                </foreach>
            </trim>
        </trim>
        <where>
            <foreach collection="list" separator="or" item="cus">
                id = #{cus.id}
            </foreach>
        </where>
    </update>

接口

List<Customer> findByName(String name);

int batchUpdate(Map<String,Object> param);

int batchUpdateCaseWhen(Map<String,Object> param);

实现类

    /**
     * 用于更新时,获取更新数据
     * @param name
     * @return
     */
    public List<Customer> findByName(String name) {
        SqlSession sqlSession = null;
        try {
            sqlSession = SqlsessionUtil.getSqlSession();
            return sqlSession.selectList("customer.findByName", name);
        } catch (Exception e) {
            e.printStackTrace();
        } finally {
            SqlsessionUtil.closeSession(sqlSession);
        }
        return new ArrayList<Customer>();
    }

    /**
     * 批量更新第一种方式
     * @param param
     * @return
     */
    public int batchUpdate(Map<String,Object> param) {
        return bathUpdate("customer.batchUpdate",param);
    }

    /**
     * 批量更新第二种方式
     * @param param
     * @return
     */
    public int batchUpdateCaseWhen(Map<String,Object> param) {
        return bathUpdate("customer.batchUpdateCaseWhen",param);
    }

    /**
     * 公共部分提出
     * @param statementId
     * @param param
     * @return
     */
    private int bathUpdate(String statementId,Map param){
        SqlSession sqlSession = null;
        try {
            sqlSession = SqlsessionUtil.getSqlSession();
            int key =  sqlSession.update(statementId, param);
            // commit
            sqlSession.commit();
            return key;
        } catch (Exception e) {
            sqlSession.rollback();
            e.printStackTrace();
        } finally {
            SqlsessionUtil.closeSession(sqlSession);
        }
        return 0;
    }

测试前准备   首先用上节的 mybatis学习之路----批量更新数据批量插入,插入10000条数据以备下面的批量更新用。

    @Test
    public void batchInsert() throws Exception {
        Map<String,Object> param = new HashMap<String,Object>();
        List<Customer> list = new ArrayList<Customer>();
        for(int i=0;i<10000;i++){
            Customer customer = new Customer();
            customer.setName("准备数据" + i);
            customer.setAge(15);
            customer.setCeroNo("111111111111"+i);
            customer.setCeroType(2);
            customer.setSex(1);
            list.add(customer);
        }
        param.put("list",list);
        Long start = System.currentTimeMillis();
        int result = customerDao.batchInsert(param);
        System.out.println("耗时 : "+(System.currentTimeMillis() - start));
    }

开始进行测试效率问题。

首先进行的是测试十条数据。调整查询数据为查询十条

    <!-- 这次用resultmap接收输出结果  -->
    <select id="findByName" parameterType="string" resultMap="customerMap">
        select * from t_customer where c_name like concat(‘%‘, #{name},‘%‘) order by c_ceroNo limit 0,10
    </select>

测试类

    @Test
    public void batchudpate() throws Exception {
        Map<String,Object> param = new HashMap<String,Object>();

        param.put("list",getFindByName("准备数据","批量更新01"));
        Long start = System.currentTimeMillis();
        customerDao.batchUpdate(param);
        System.out.println("耗时 : "+(System.currentTimeMillis() - start));
    }

    @Test
    public void batchudpateCaseWhen() throws Exception {
        Map<String,Object> param = new HashMap<String,Object>();
        param.put("list",getFindByName("批量更新01","准备数据"));
        Long start = System.currentTimeMillis();
        customerDao.batchUpdateCaseWhen(param);
        System.out.println("耗时 : "+(System.currentTimeMillis() - start));
    }

    private List<Customer> getFindByName(String name, String change){
        List<Customer> list = customerDao.findByName(name);
        System.out.println("查询出来的条数 : " + list.size());
        if(null != change && !"".equals(change)){
            for(Customer customer : list){
                customer.setName(change);
            }
        }

        return list;
    }

第一种拼完整sql的方式耗时:

第二种case when 耗时情况:

结果可以看出,其实case when 耗时比较多。

下面来加大数据量到100条;

第一种拼完整sql的方式耗时:

第二种case when 耗时情况:

结果可以看出,其实case when 耗时仍然比第一种多。

继续加大数据量到1000条

第一种拼完整sql的方式耗时:

第二种case when 耗时情况:

结果可以看出,其实case when 耗时仍然比第一种多。

继续加大数据量到10000条

第一种拼完整sql的方式耗时:

第二种case when 耗时情况:

结果可以看出,两种方式进行批量更新,效率已经不在一个数量级了。case when明显的慢的多。

看网上有人说第一种的效率跟用代码循环着一条一条的循环着插入的效率差不多,通过测试我就有疑问了,他是怎么做到的。难道我的代码有问题?明明第一种的效率很高嘛。

第一种效率其实相当高的,因为它仅仅有一个循环体,只不过最后update语句比较多,量大了就有可能造成sql阻塞。

第二种虽然最后只会有一条更新语句,但是xml中的循环体有点多,每一个case when 都要循环一遍list集合,所以大批量拼sql的时候会比较慢,所以效率问题严重。使用的时候建议分批插入。

根据效率,安全方面综合考虑,选择适合的很重要。

原文地址:https://www.cnblogs.com/shihaiming/p/10341241.html

时间: 2024-12-22 16:07:59

mybatis学习之路----批量更新数据两种方法效率对比的相关文章

c#mysql批量更新的两种方法

总体而言update 更新上传速度还是慢. 1:  简单的insert  速度稍稍比MySqlDataAdapter慢一点 配合dapper 配置文件 <?xml version="1.0" encoding="utf-8"?> <configuration> <startup> <supportedRuntime version="v4.0" sku=".NETFramework,Versio

批量更新的两种方法

/** * 批量删除 * * @description */ @RequestMapping(value = "/deleteIdsLogicGoods") public void deleteIdsLogic(HttpServletRequest request, HttpServletResponse response) { String ids = null; if (request.getParameter("ids") != null) { ids = r

跨平台开发的两种方法及其对比

为什么移动应用开发对很多开发人员来说,都是一件令人头痛的事?这是因为,每种流行的移动平台都具有自身的开发语言.开发工具及其特征. 这就意味着,你开发一款应用不但需要花费 3 倍的开发时间,并且需要维护 3 个项目,因此开发原生应用的代价是非常巨大的. 跨平台开发的两种方法: 幸运的是,有很多公司已经在研究如何使原生 APP的开发变得简单,目前为止多平台的开发方法主要有两种: 第一种:以 Web应用为内核,填充到原生 app中(即 PhoneGap 提供的解决方案). 这种方法能够吸引那些想要转到

js+jquery动态设置/增加/删除/获取元素属性的两种方法集锦对比(动态onclick属性设置+动态title设置)

<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.0//EN" "http://www.w3.org/TR/REC-html140/strict.dtd"> <html> <head> <meta http-equiv="content-type" content="text/html; charset=utf-8"/> <title>

启动线程的两种方法的对比

java中Thread类有两种启动方法: 1.Thread.start() 2.Thread.run() 这两种方法的执行效果并不一样.Thread.start()方法是通知"线程规划器"此线程已经准备就绪,等待调用线程对象run()方法,是异步的执行结果. Thread.run()方法则是同步的,并不交给"线程规划器"来处理,而是由调用此线程的线程直接调用线程的run()方法,必须等run()方法中的代码执行完以后才能执行后面的代码 另外,执行start()方法的

mybatis 学习笔记(4) —— 批量新增数据

1.业务是从前台传入List<T> ,在controller层接受参数,并进行批量新增操作. 2.需要处理的细节 a) mybatis可以支持批量新增,注意数据表需要将主键设置成自增列. b) 由于spring mvc 无法将参数[{id:0,text:'a'},{id:1,text:'b'}] json字符串转换为对应的List<T>,因此需要自己手动封装一个方法用于将传入的字符串转换为泛型集合 3.具体实现步骤 a) js提交 需要注意的是必须在参数名上加引号 var dept

【ADO.NET-中级】百万级数据的批量插入的两种方法测试

在SQL Server 中插入一条数据使用Insert语句,但是如果想要批量插入一堆数据的话,循环使用Insert不仅效率低,而且会导致SQL一系统性能问题.下面介绍SQL Server支持的两种批量数据插入方法:Bulk和表值参数(Table-Valued Parameters). 运行下面的脚本,建立测试数据库和表值参数. --Create DataBase create database BulkTestDB; Go use BulkTestDB; go --Create Table Cr

android中如何发送及接收数据(两种方法)?

1.如在MainActivity.java中的按钮点击时设置: //发送数据方法1--简单型 i.putExtra("txt", "没错,我就是刚传来的信息!"); //发送数据方法2--复杂型 Bundle data = new Bundle(); data.putString("txt", "额,我是复杂型的数据方法发送来的!"); i.putExtras(data); 当含有返回值时,启动时用startActivityF

iOS-晋级之路- tableviewCell重用问题两种方法

最近看大神mj的代码,学到了这个方法,cell重用的第二种方法 UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:CellIdentifier]; static NSString *CellIdentifier = @"Cell";    if (cell == nil) {        cell = [[UITableViewCell alloc] initWithStyle:UITableVi