• 随笔


    随笔

    Java

    处理excel大文件工具类

    maven依赖

    <dependency>
        <groupId>org.apache.poi</groupId>
        <artifactId>poi-ooxml</artifactId>
        <version>3.17</version>
    </dependency>
    <dependency>
        <groupId>org.apache.commons</groupId>
        <artifactId>commons-lang3</artifactId>
        <version>3.7</version>
    </dependency>
    <dependency>
        <groupId>com.google.guava</groupId>
        <artifactId>guava</artifactId>
        <version>25.1-jre</version>
    </dependency>
    

    ExcelUtils

    package com.test.util;
    
    import com.google.common.collect.Lists;
    import com.test.entity.WayInfo;
    import org.apache.commons.lang3.StringUtils;
    import java.util.HashMap;
    import java.util.List;
    import java.util.Map;
    public class ExcelUtils {
        public ExcelUtils() {
        }
        /**
         * 获取excel的所有数据<br/>
         * 所有数据类型都是String<br/>
         * 会以第一行数据的列数为总列数,所以第一行的数据必须都不为空,否则可能出java.lang.IndexOutOfBoundsException
         * @param filePath 文件路径
         * @return
         */
        public static List<List<String>> getAllData(String filePath) {
            if (StringUtils.isBlank(filePath)) {
                throw new IllegalArgumentException("传入文件路径不能为空");
            }
            try {
                return LargeExcelFileReadUtil.getRowsFromSheetOne(filePath);
            } catch (Exception e) {
                // LOGGER.info("获取excel[" + filePath + "]表头失败,原因:", e);
                e.printStackTrace();
            }
            return Lists.newArrayList();
        }
    
        /**
         * 获取excel标题头部 title
         * @param excelTitle excel List0的list
         * @return title
         */
        public static Map<String,Integer> getExcelTitle(List<String> excelTitle){
            HashMap hashMap = new HashMap();
            for (int j = 0; j < excelTitle.size(); j++){
                hashMap.put(excelTitle.get(j),j);
            }
            return hashMap;
        }
    
    
    
        public static void main(String[] args) {
            long start = System.currentTimeMillis();
            String filepath = "D:\a_war\execl.xlsx";
            List<List<String>> result = ExcelUtils.getAllData(filepath);
            long end = System.currentTimeMillis();
            Map<String, Integer> excelTitle = getExcelTitle(result.get(0));
            System.out.println("解析时间:"+(end - start) / 1000+"秒。");
            //根据下标标题下标获取该行下标内容。
            for (int i = 1; i < result.size(); i++){
                List<String> row = result.get(i);
                WayInfo wayInfo = new WayInfo();
                wayInfo.setWayStartTime(row.get(excelTitle.get("运单提货日期")));
                wayInfo.setWaySourceAddr(row.get(excelTitle.get("起运地")));
                wayInfo.setWayDestAddr(row.get(excelTitle.get("目的地")));
            }
        }
    
    
    }
    

    ExcelClass类

    package utils;
    public class ExcelClass {
        private String userName;//名称
        private String sex;//性别
        private String phone;//手机
        //省略get,set方法...
    }
    
    

    LargeExcelFileReadUtil

    package utils;
    import org.apache.poi.openxml4j.opc.OPCPackage;
    import org.apache.poi.xssf.eventusermodel.XSSFReader;
    import org.apache.poi.xssf.model.SharedStringsTable;
    import org.xml.sax.InputSource;
    import org.xml.sax.XMLReader;
    import org.xml.sax.helpers.XMLReaderFactory;
    import java.io.InputStream;
    import java.util.List;
    import java.util.Objects;
    public class LargeExcelFileReadUtil {
        // 处理一个sheet
        public static List<List<String>> getRowsFromSheetOne(String filename) throws Exception {
            InputStream inputStream = null;
            OPCPackage pkg = null;
            MultiRowHandler multiRowHandler = null;
            try {
                pkg = OPCPackage.open(filename);
                XSSFReader r = new XSSFReader(pkg);
                SharedStringsTable sst = r.getSharedStringsTable();
                multiRowHandler = new MultiRowHandler(sst);
                XMLReader parser = XMLReaderFactory.createXMLReader("com.sun.org.apache.xerces.internal.parsers.SAXParser");
                parser.setContentHandler(multiRowHandler);
                inputStream = r.getSheet("rId1");
                InputSource sheetSource = new InputSource(inputStream);
                parser.parse(sheetSource);
                return multiRowHandler.getRows();
            } catch (Exception e){
                throw e;
            } finally {
                if (Objects.nonNull(pkg)){
                    pkg.close();
                }
                if (Objects.nonNull(inputStream)) {
                    inputStream.close();
                }
            }
        }
    }
    

    MultiRowHandler

    package utils;
    import org.apache.commons.lang3.StringUtils;
    import org.apache.poi.xssf.model.SharedStringsTable;
    import org.apache.poi.xssf.usermodel.XSSFRichTextString;
    import org.xml.sax.Attributes;
    import org.xml.sax.SAXException;
    import org.xml.sax.helpers.DefaultHandler;
    import java.util.ArrayList;
    import java.util.List;
    import java.util.Objects;
    import java.util.regex.Pattern;
    /**
     * 获取完整excel数据的handler<br/>
     * @author Administrator
     */
    public class MultiRowHandler extends DefaultHandler {
        private int curRowNum = 0;// 行号,从1开始
        private int curColIndex = -1;// 列索引,从0开始
        private int colCnt = 0;// 列数,取第一行列数做为列总数
        private String cellType = "";
        private SharedStringsTable sst;
        private String lastContents;
        private boolean nextIsString;
        private String cellPosition;
        private List<String> head = null;
        private List<String> curRowData = null;
        private boolean curRowIsBlank = true;// 当前是个空行
        private List<List<String>> rows = new ArrayList<>();
        public List<List<String>> getRows() {
            return rows;
        }
        public MultiRowHandler(SharedStringsTable sst) {
            this.sst = sst;
        }
        @Override
        public void startElement(String uri, String localName, String name, Attributes attributes) throws SAXException {
            if (name.equals("c")) {
                cellPosition = attributes.getValue("r");
                curColIndex = getColIndex(cellPosition);
                // 这是一个新行
                if (isNewRow(cellPosition)) {
                    curRowNum = getRowNum(cellPosition);
                    if (2 == curRowNum && Objects.nonNull(curRowData)) {
                        head = curRowData;
                        colCnt = head.size();
                    }
                    curRowData = getBlankRow(colCnt);
                }
                cellType = "";
                cellType = attributes.getValue("t");
                if ("s".equals(cellType)) {
                    nextIsString = true;
                } else {
                    nextIsString = false;
                }
            }
            // 清楚缓存内容
            lastContents = "";
        }
    
        private boolean isNewRow(String cellPosition) {
            // 坐标以A开头,后面跟数字 或者坐标行和当前行不一致的
            boolean newRow = Pattern.compile("^A[0-9]+$").matcher(cellPosition).find();
            if (!newRow) {
                int cellRowNum = getRowNum(cellPosition);
                newRow = (cellRowNum != curRowNum);
            }
            return newRow;
        }
    
        /**
         * 根据列坐标获取行号,从1开始,返回0时标示出错
         *
         * @param cellPosition
         *      列坐标,为A1,B23等
         * @return 行号,从1开始,返回0是为失败
         */
        private static int getRowNum(String cellPosition) {
            String strVal = Pattern.compile("[^0-9]").matcher(cellPosition).replaceAll("").trim();// 获取坐标中的数字
            if (StringUtils.isNotBlank(strVal)) {
                return Integer.valueOf(strVal);
            }
            return 0;
        }
    
        /**
         * 根据列坐标返回当前列索引,从0开始,返回-1时标示出错<br/>
         * A1->0; B1->1...AA1->26
         *
         * @param cellPosition
         *      列坐标,为A1,B23等
         * @return 列索引,从0开始,返回-1是为失败,A1->0; B1->1...AA1->26
         */
        private static int getColIndex(String cellPosition) {
            int index = -1;
            int num = 65;// A的Unicode码
            int length = cellPosition.length();
            for (int i = 0; i < length; i++) {
                char c = cellPosition.charAt(i);
                if (Character.isDigit(c)) {
                    break;// 确定指定的char值是否为数字
                }
                index = (index + 1) * 26 + (int) c - num;
            }
            return index;
        }
    
        /**
         * 返回一个全部为空字符串的空行
         *
         * @param cnt
         * @return
         */
        private List<String> getBlankRow(int cnt) {
            List<String> result = new ArrayList<>(cnt);
            for (int i = 0; i < cnt; i++) {
                result.add(i, "");
            }
            curRowIsBlank = true;
            return result;
        }
    
        @Override
        public void endElement(String uri, String localName, String name) throws SAXException {
            if (nextIsString) {
                int idx = Integer.parseInt(lastContents);
                lastContents = new XSSFRichTextString(sst.getEntryAt(idx)).toString();
                nextIsString = false;
            }
    
            if (name.equals("v")) {
                // System.out.println(MessageFormat.format("当前列定位:{0},当前行:{1},当前列:{2},当前值:{3}",
                // cellPosition, curRowNum,
                // curColIndex, lastContents));
                if (Objects.isNull(head)) {
                    curRowData.add(lastContents);
                } else {
                    curRowData.set(curColIndex, lastContents);
                }
                curRowIsBlank = false;
                // 这是一个新行
                if (isNewRow(cellPosition)) {
                    if (Objects.nonNull(curRowData)) {
                        if (curRowIsBlank) {
                            curRowData.clear();// 如果当前行是空行,则清空当前行数据
                        }
                        rows.add(curRowData);
                    }
                }
    
            }
        }
    
        @Override
        public void endDocument() throws SAXException {
            if (Objects.nonNull(curRowData) && !curRowIsBlank) {
                rows.add(curRowData);// 最后一行在上面不好加入,最后一行全是空行的不加入
            }
            super.endDocument();
        }
    
        @Override
        public void characters(char[] ch, int start, int length) throws SAXException {
            lastContents += new String(ch, start, length);
        }
    
        @Override
        public void ignorableWhitespace(char[] ch, int start, int length) throws SAXException {
            lastContents += "";
        }
    
        public static void main(String[] args) {
            System.out.println(getColIndex("BC2"));
        }
    }
    

    判断字符串是否包含字符或字符串(contains方法)

    public static void main(String[] args) {
        String str = "abc";
        boolean status = str.contains("a");
        if(status){
            System.out.println("包含");
        }else{
            System.out.println("不包含");
        }
    }
    

    java日期计算

    /**
     * 计算日期方法
     * start + end = 计算的时间
     * @param start
     * @param end 
     * @return
     */
    public static Date countDate(Date start,int end){
        //日期
        //获取时间加一年或加一月或加一天
        Calendar cal = Calendar.getInstance();
        cal.setTime(start);//设置起时间
        cal.add(Calendar.YEAR, end);//增加一年
        //cd.add(Calendar.DATE, n);//增加一天
        //cd.add(Calendar.DATE, -10);//减10天
        //cd.add(Calendar.MONTH, n);//增加一个月
        return cal.getTime();
    }
    

    java的随机数生成方式

    第一种:new Random()
    第二种:Math.random()

    /**
     * 生成指定随机数
     * @return
     */
    public static int randomNum(int len){
        int random = (int)((Math.random()*9)*Math.pow(10,len-1));
        return ranjavadom;
    }
    

    第三种:currentTimeMillis()

    map方法

    private  HashMap hashMap = new HashMap();
    hashMap.containsKey("key");//是否有这个key
    hashMap.clear();//清空map
    

    SSMframe

    导入SSM项目web.xml报错,可能需要重新修改web和xml的路径。

    mybatis

    批量修改List

    <update id="passByZhanBatch" parameterType="java.util.List">
        UPDATE apply
        SET a_state = 3
        WHERE a_id in
        <foreach collection="list" item="aId" index="index" open="(" close=")" separator=",">
            #{aId}
        </foreach>
    </update>
    

    layui

    layui下拉框样式

    <select class="layui-input" lay-filter="required">
        <option value="1">一</option>
        <option value="2">二</option>
    </select>
    

    layui表格设置日期格式 时间戳转日期

    如果是null转为“”,不判断则为当前时间

    {
        field: 'labourGetNextTime',
        title: '下次领取时间',
        templet: function(d) {
                if (d.labourGetNextTime === '' || d.labourGetNextTime == null){
                    return "";
                }
                return layui.util.toDateString(d.labourGetNextTime,'yyyy-MM-dd HH:mm:ss');
            }
    
    }
    

    layui表格隐藏列

    table.render({
        elem: '#test'
        ,url:'${pageContext.request.contextPath}/findcustomers'
        ,cols: [[
          {align:'center', title: '编号', sort: true,type:'numbers',100}
          ,{field:'cust_id', title: 'ID'}
     
        ]]
         ,done:function(res,curr,count){ // 隐藏列
               $(".layui-table-box").find("[data-field='cust_id']").css("display","none");
               }
        ,page: true
      });
    

    表格编号

    table.render({
        elem: '#test',
        url:'${pageContext.request.contextPath}/findcustomers',
        cols: [[
         {align:'center', title: '编号', sort: true,type:'numbers',100}
        ]],
        page: true
    });
    

    layui监听redio

    <div class="layui-form-item"id="IsPurchased">
        <label class="layui-form-label">物品类型</label>
        <input type="radio" value="1" name="cgIs"lay-filter="aaa"title="低值易耗品" disabled>
        <input type="radio" value="0" name="cgIs"lay-filter="aaa"title="劳保品" disabled>
        <input type="radio" value="2" name="cgIs"lay-filter="aaa" title="普通物品" disabled>
    </div>
    
    // 监听redio
    form.on('radio(aaa)', function (data) {
        if ($('#IsPurchased input[name="cgIs"]:checked').val() === "1") {
            alert("from");
            // $('#nainxian').css("display","none")
            $("#nainxian").hide();//hide隐藏
        }else {
            $("#nainxian").show();//显示
        }
        form.render();
    });
    

    HTML

    隐藏input的三种方法和区别

    一、<input type="hidden" />
    二、<input type="text" style="display:none" />
    以上两种方法可以实现不留痕迹的隐藏。
    三、<input type="text" style="visibility: hidden;" />
    第三种方法可以实现占位隐藏(会留下空白而不显示)
    

    input只能输入数字的类型

    <input class="layui-input" type="number">
    

    浏览器缓存问题

    每次修改页面,都需要清理浏览器缓存..才会显示修改后的内容...

    解决办法:快捷键F12打开控制台,选择Network下的Disablecache选中状态(关闭缓存)。

    Jquery

    js截取小数位

    $("#gMoney").val(Number(gPrice * gNum).toFixed(4));
    

    输入验证(只能输入整数)

    let gAge = $("#gAge").val();
    if ($('#IsPurchased input[name="cgIs"]:checked').val() === "1"){
        if(gAge == null || gAge === ''){
            alert("年限不能为空!");
            return false
        }else {
            reg = /^d+$/;
            if(!reg.test(gAge)){
                alert("年限只能输入整数!");//请将“字符串类型”要换成你要验证的那个属性名称!
                return false
            }
        }
     }
    

    设置属性 - attr()

    $("button").click(function(){
        
      $("#w3s").attr("href","http://www.w3school.com.cn/jquery");
        
      $('#zhanLi').attr('style','display:none');
        
    });
    

    设置单选框下拉框选中

    //根据title的值设置选中 
    $('input[title="是"]').prop('checked', true);
    //select id 下的option的value设置选中 
    $("#uState option[value='1']").prop("selected", true);
    //layui框架设置需再次渲染
    //form.render();渲染表单
    //form.render('radio');渲染单选框
    //form.render('select');渲染下拉框
    

    监听鼠标光标事件

    //     onFocus事件就是当光标落在文本框中时发生的事件。
    // onBlur事件是光标失去焦点时发生的事件。
        $("#wInfoCode").blur(function() {
            var wInfoCode = $("#wInfoCode").val();
            if (wInfoCode !== ''){
                $.ajax({
                    url: root + '/winfo/getWInfoCode.do',
                    type: 'post',
                    data: {
                        wInfoCode : wInfoCode,
                    },
                    dataType: 'json',
                    xhrFields: {
                        withCredentials: true
                    },
                    success: function (res) {
                        var datares = res.data;
                        $('[name]:not([name="file"])').each(function (index, el) {
                            this.value = datares[this.name]
                        });
                        if (datas.cgIs === 0){
                            $("input[name=cgIs][value='0']").attr("checked", true);
                        }else if(datas.cgIs === 1){
                            $("input[name=cgIs][value='1']").attr("checked", true);
                        }else{
                            $("input[name=cgIs][value='2']").attr("checked", true);
                        }
                        form.render('radio'); //radio生效需要render    更新全部
                    },
                })
            }
        });
    

    隐藏方法

    //适合没有div的隐藏
    $("#nianxian").hide();//hide隐藏
    
    $('#dis').css('display','none')
    

    设置css

    $("p").css("background-color");
    
    $('#dis').css('display','block')
    

    设置内容 - text()、html() 以及 val()

    $("#btn1").click(function(){
      $("#test1").text("Hello world!");
    });
    $("#btn2").click(function(){
      $("#test2").html("<b>Hello world!</b>");
    });
    $("#btn3").click(function(){
      $("#test3").val("Dolly Duck");
    });
    

    计算

    //计算
    $("#gNum").blur(function() {
        var pPrice = $("#pPrice").val();//单价
        var gNum = $("#gNum").val();//数量
        if (pPrice !== null&& pPrice!==''){
            $("#pMoney").val(pPrice * gNum);
        }
    });
    

    选择器

    $("#gAge").val("张三");//赋值
    $("#gAge").val();//取值
    

    ajax

    $("#shopCode").click(function () {
            alert("进入")
            $.ajax({
                url: root + '/winfo/randomCode.do',
                type: 'Get',
                dataType: 'json',
                data:{},
                xhrFields: {
                    withCredentials: true
                },
                success: function (res) {
                    var dataInfo = res.data;
                    alert("回调"+dataInfo)
                    $('#wInfoCode').val(dataInfo);
                },
                error: function (err) {
                    layer.msg(err)
                }
            });
            return false;//记得加false
        })
    

    mysql

    mysql删除前n条记录和排序

    delete from [tabName] where [colname] limit [n] order by [colName]
    

    mysql判断一年后到期的字段(也可加在字段里)

    select  * from [tabName] where now() > DATE_ADD([colname],INTERVAL -1 YEAR)
    

    索引

    -- 创建普通索引
    create index '索引名' on '表名' ('字段','字段'); 
    -- 例子:
    create index search  on sys_user(u_name,u_sex); 
    -- 删除指定名的索引
    drop index '索引名' on sys_user;
    -- 例子:
    drop index search on sys_user;
    -- 创建表时指定索引
    create table '表名' ( [...], INDEX '索引名' ('列名1','列名2',...));
    --创建普通索引
    CREATE INDEX index_name ON table_name(col_name);
    --创建唯一索引
    CREATE UNIQUE INDEX index_name ON table_name(col_name);
    --创建普通组合索引
    CREATE INDEX index_name ON table_name(col_name_1,col_name_2);
    --创建唯一组合索引
    CREATE UNIQUE INDEX index_name ON table_name(col_name_1,col_name_2);
    

    其他命令

    -- 查看表结构
         desc table_name;
      -- 查看生成表的SQL
         show create table table_name;
      -- 查看索引
         show index from  table_name;
      -- 查看执行时间
         set profiling = 1;
         SQL...
         show profiles;
    

    PC

    停止指定端口的进程

    1.打开命里行,(cmd)输入: netstat -ano | findstr “1099”

    查询到这个端口的进程ID(pid)是多少,查询进程ID是哪个进程,再CMD输入tasklist | findstr “10136”

    最后一步,杀死指定PID进程就可以了:taskkill /pid 10136 -f

  • 相关阅读:
    .NET深入解析LINQ框架(四:IQueryable、IQueryProvider接口详解)
    .NET简谈组件程序设计之(初识NetRemoting)
    .NET简谈组件程序设计之(delegate与event关系)
    .NET简谈组件程序设计之(上下文与同步域)
    .NET简谈特性(代码属性)
    .NET可逆框架设计
    使用KTM(内核事务管理器)进行文件事务处理
    .NET面向上下文、AOP架构模式(实现)
    .NET简谈设计模式之(装饰者模式)
    .NET对存储过程的调用抽象封装
  • 原文地址:https://www.cnblogs.com/yu-si/p/14212383.html
Copyright © 2020-2023  润新知