Effective Java 笔记

1.局部变量在使用的时候进行初始化,不要提前初始化
2.避免使用String来拼接字符串,使用StringBuilder,最好为StringBuilder设置大小

 StringBuilder strAppen=new StringBuilder(message.getContent().length());

3.如果使用精度高的方式计算,不用double,float。应该使用int,long,BigDecimal
**4.使用循环的优先顺序foreach>for>while:
**5.使用私有的构造方法防止一些不能被创建的对象创建。
6.不用使用final修饰数组,没有意义
7.一些全局参数要是private的,通过get/set这种访问方法来访问
8.给类添加final保证其不可以被修改
9.创建一个不可变的类:使用final修饰类,方法,变量。不操作客户端的引用。不可变对象是线程安全的,因为它们的状态不会改变。例如BigInteger.

//这里没有使用客户端提供的对象引用。而是返回了一个新的对象
public Complex subtract(Complex com){
   int a=com.getA();
   int b=com.getB();
   c=a-b;
   return new Complex(a,b,c);
}

10.引用对象的类型尽可能使用接口
1.如果类继承了接口,使用该类时没有用到接口不具备的方法,优先使用接口作为引用类型,这样更加灵活

List list=new ArrayList();
//当我想让list 保证线程安全时  使用vector,但是不会对其他代码有影响
List list=new Vector();
list.add(obj);

11.检查方法参数的合法性 assert
在构造一个方法时,应该考虑哪些方法是需要判断的。
使用断言来检查方法参数的合法性,断言声明我认为条件一定为真,否则抛出异常。

private static sort(long[] a){
 assert a!=null;
 assert a.size()>0
}

12.for异常的捕获不应嵌套在循环中

try{
  for(int i:list){
    ///这样是正确的
  }
}

**12.返回一个零长度的数组 **

    public  List showKeyName(List container) {
        if (container.size() == 0 || container == null) {
            return Collections.emptyList();
        } else {
            return Collections.list((Enumeration) container);
        }
    }

13.捕获更全面的错误信息

 throw outOfBounds(to, this.fromBound, toBoundToCheck);
 private IllegalArgumentException outOfBounds(Object value, Bound fromBound, Bound toBound) {
            return new IllegalArgumentException(value + " not in range "
                    + fromBound.leftCap(from) + ".." + toBound.rightCap(to));
        }

你可能感兴趣的:(Effective Java 笔记)