本文共 1620 字,大约阅读时间需要 5 分钟。
译者: 沈义扬
equals
当一个对象中的字段可以为null时,实现Object.equals方法会很痛苦,因为不得不分别对它们进行null检查。使用帮助你执行null敏感的equals判断,从而避免抛出NullPointerException。例如:
1 | Objects.equal( "a" , "a" ); // returns true |
2 | Objects.equal( null , "a" ); // returns false |
3 | Objects.equal( "a" , null ); // returns false |
4 | Objects.equal( null , null ); // returns true |
注意:JDK7引入的Objects类提供了一样的方法。
hashCode
用对象的所有字段作散列[hash]运算应当更简单。Guava的会对传入的字段序列计算出合理的、顺序敏感的散列值。你可以使用Objects.hashCode(field1, field2, …, fieldn)来代替手动计算散列值。
注意:JDK7引入的Objects类提供了一样的方法
toString
好的toString方法在调试时是无价之宝,但是编写toString方法有时候却很痛苦。使用 可以轻松编写有用的toString方法。例如:
1 | // Returns "ClassName{x=1}" |
2 | Objects.toStringHelper( this ).add( "x" , 1 ).toString(); |
3 | // Returns "MyObject{x=1}" |
4 | Objects.toStringHelper( "MyObject" ).add( "x" , 1 ).toString(); |
compare/compareTo
实现一个比较器[Comparator],或者直接实现Comparable接口有时也伤不起。考虑一下这种情况:
01 | class Person implements Comparable<Person> { |
02 | private String lastName; |
03 | private String firstName; |
04 | private int zipCode; |
05 |
06 | public int compareTo(Person other) { |
07 | int cmp = lastName.compareTo(other.lastName); |
08 | if (cmp != 0 ) { |
09 | return cmp; |
10 | } |
11 | cmp = firstName.compareTo(other.firstName); |
12 | if (cmp != 0 ) { |
13 | return cmp; |
14 | } |
15 | return Integer.compare(zipCode, other.zipCode); |
16 | } |
17 | } |
这部分代码太琐碎了,因此很容易搞乱,也很难调试。我们应该能把这种代码变得更优雅,为此,Guava提供了。
ComparisonChain执行一种懒比较:它执行比较操作直至发现非零的结果,在那之后的比较输入将被忽略。
1 | public int compareTo(Foo that) { |
2 | return ComparisonChain.start() |
3 | .compare( this .aString, that.aString) |
4 | .compare( this .anInt, that.anInt) |
5 | .compare( this .anEnum, that.anEnum, Ordering.natural().nullsLast()) |
6 | .result(); |
7 | } |
这种风格的可读性更高,发生错误编码的几率更小,并且能避免做不必要的工作。更多Guava排序器工具可以在下一节里找到。
转载地址:http://fkpuo.baihongyu.com/