Java开发中要避免的坑和一些代码优化技巧

时间:2022-01-06 00:35:12

1:动态SQL遇到的坑,先看下面OGNL表达式的说明。

Any object can be used where a boolean is required. OGNL interprets objects as booleans like this:

  1. If the object is a Boolean, its value is extracted and returned;

  2. If the object is a Number, its double-precision floating-point value is compared with zero; non-zero is treated as true, zero as false;

  3. If the object is a Character, its boolean value is true if and only if its char value is non-zero;

  4. Otherwise, its boolean value is true if and only if it is non-null.

如果对象是一个Number类型,值为0时将被解析为false,否则为true,浮点型0.00也是如此。OGNL对于boolean的定义和JavaScript有点像,即'' == 0 == false。这也就不难理解<if test="status != null and status !=''">and status = #{status}</if>当status=0时出现的问题了,显然0!=''是不成立的,导致表达式的值为false。

将表达式修改为<if test="status != null">and status = #{status}</if>该问题便迎刃而解。该问题的根源还是来自编码的不规范,只有String类型才需要判断是否!='',其他类型完全没有这个必要,可能是开发人员为了省事直接复制上一行拿过来改一改或是所使用的MyBatis生成工具不严谨导致该问题的发生。

这里有必要再提一个“坑”,如果你有类似于String str ="A"; <if test="str!= null and str == 'A'">这样的写法时,你要小心了。因为单引号内如果为单个字符时,OGNL将会识别为Java 中的 char类型,显然String 类型与char类型做==运算会返回false,从而导致表达式不成立。解决方法很简单,修改为<if test='str!= null and str == "A"'>即可。

2:集合中移除某些无用的数据的操作。

  //正确写法
        List<Stu1> list = new ArrayList<>();
        list.add(new Stu1("zhangsan", 21));
        list.add(new Stu1("lisi", 22));
        list.add(new Stu1("zhangsan", 26));
        Iterator<Stu1> iterator = list.iterator();
        while (iterator.hasNext()) {
            Stu1 stu1 = iterator.next();
            if (stu1.getName().equals("zhangsan1")) {
                iterator.remove();
            }
        }
 //错误写法,用foreach循环遍历集合,我就不写了.这样可能会报异常的。
// 开发中移除集合中的元素的时候,用Iterator来遍历集合。

3:字符串变量和字符串常量equals的时候将字符串常量写在前面

  String str = "123" ;
        if(str.equals("123")){
            
        }
       // 建议修改为这样主要是可以避免空指针异常。
        String str = "123" ;
        if("123".equals(str)){
            
        }
        

4:HashMap用对象作为key的时候重新equal和hashCode,如果不重写hashcode方法get的结果将为null。

如下图是怎样重写equal和hashCode的方法。

Java开发中要避免的坑和一些代码优化技巧

注意:平常用对象判断是否相同的时候,一般也会重写这个对象的equal和hashCode的方法,一般的开发工具也都有重写这两个方法的快捷键。

5:用最有效的方式来遍历map集合

如下,数据量大的时候用Iterator遍历map的效率较高:

 Map<String, String> hm = new HashMap<>();
        hm.put("1", "aa");
        hm.put("2", "bb");
        Set<Map.Entry<String, String>> entries = hm.entrySet();
        Iterator<Map.Entry<String, String>> iterator = entries.iterator();
        while (iterator.hasNext()) {
            Map.Entry<String, String> map = iterator.next();
            System.out.println("key值" + map.getKey());
            System.out.println("value值" + map.getValue());
        }

6:Oracle查询优化:

选择最有效率的表名顺序:ORACLE的解析器按照从右到左顺序处理from字句中的表名,from字句中写在最后的表(基础表)将最先被处理,在from字句中包含多个表的情况下,必须选择记录数最少的表作为基础表,如果有3个以上的表连接查询,那就需要选择交叉表作为基础表,交叉表就是那个被其他表引用的表。