The following code is bug free. But, it fine so long as if (i == a.length - 1 || a[i] != a[i + 1])
condition maintains its order. Swapping the if conditions to if(a[i] != a[i + 1] || i == a.length - 1)
would throw an exception. Is preventing an exception by short circuiting, an expectable coding standard Or is there some theory / design pattern warning against such coding practices ? If so please advise with links / materials.
public static void eliminateDuplicate(int[] a) {
if (a == null) {
throw new NullPointerException();
}
List<Integer> list = new ArrayList<Integer>();
for (int i = 0; i < a.length; i++) {
if (i == a.length - 1 || a[i] != a[i + 1]) {
System.out.println("now what : " + a[i]);
list.add(i);
}
}
}
It's a common practice to use short-circuit operator to avoid exceptions. And it is obviously standard.
JLS Section 15.24 - Conditional OR operator:
Given your case, it would be pretty more clear if you use Conditional && operator and change your condition to:
The intention is more clear in this code on the first look. Frankly speaking I had to go through twice over your condition to figure out what is it doing.
Again not related to concrete question, I'll modify your for loop to use maximum index one less than you are using currently, to avoid the conditional operator entirely:
Some Common Examples:
Some quite common examples where you would see the use of conditional operators to avoid exceptions are:
Overriding
equals()
method:Handling
null
reference in some method invocation:Avoiding division by zero:
Contrary to this, all the above codes will throw exception at runtime, if you use Boolean Logical Operator, and the first expression evaluates to
false
.