对于findAction()方法来说抛出一个带有说明的异常要比光秃秃的抛出一个NullPointerException要好的多。
1 2 3 4 5 | try{ ParserFactory.getParser().findAction(someInput).doSomething(); } catch(ActionNotFoundException anfe) { userConsole.err(anfe.getMessage()); } |
要是你觉得使用try/catch机制比较丑的话,那就给用户比较有意义的反馈。
1 2 3 4 5 6 7 8 | public Action findAction(final String userInput){ /* Code to return requested Action if found */ return new Action(){ public void doSomething(){ userConsole.err("Action not found: "+userInput); } } } |
1) 从已知的String对象中调用equals()和equalsIgnoreCase()方法,而非未知对象。
总是从已知的非空String对象中调用equals()方法。因为equals()方法是对称的,调用a.equals(b)和调用b.equals(a)是完全相同的,这也是为什么程序员对于对象a和b这么不上心。如果调用者是空指针,这种调用可能导致一个空指针异常
1 2 3 4 5 6 7 8 9 10 11 | Object unknownObject = null;
//错误方式 – 可能导致 NullPointerException if(unknownObject.equals("knownObject")){ System.err.println("This may result in NullPointerException if unknownObject is null"); }
//正确方式 - 即便 unknownObject是null也能避免NullPointerException if("knownObject".equals(unknownObject)){ System.err.println("better coding avoided NullPointerException" |
当valueOf()和toString()返回相同的结果时,宁愿使用前者。
因为调用null对象的toString()会抛出空指针异常,如果我们能够使用valueOf()获得相同的值,那宁愿使用valueOf(),传递一个null给valueOf()将会返回“null”,尤其是在那些包装类,像Integer、Float、Double和BigDecimal。
使用null安全的方法和库Apache commons 中的StringUtils
有很多开源库已经为您做了繁重的空指针检查工作。其中最常用的一个的是Apache commons 中的StringUtils。你可以使用StringUtils.isBlank(),isNumeric(),isWhiteSpace()以及其他的 工具方法而不用担心空指针异常。
1 2 3 4 5 6 7 8 9 10 11 | //StringUtils方法是空指针安全的,他们不会抛出空指针异常 System.out.println(StringUtils.isEmpty(null)); System.out.println(StringUtils.isBlank(null)); System.out.println(StringUtils.isNumeric(null)); System.out.println(StringUtils.isAllUpperCase(null)); |
返回空collection或者空数组。
这个Java最佳实践或技巧由Joshua Bloch在他的书Effective Java中 提到。这是另外一个可以更好的使用Java编程的技巧。通过返回一个空collection或者空数组,你可以确保在调用如 size(),length()的时候不会因为空指针异常崩溃。Collections类提供了方便的空List,Set和Map: Collections.EMPTY_LIST,Collections.EMPTY_SET,Collections.EMPTY_MAP。这里是实 例。
1 2 3 4 | public List getOrders(Customer customer){ List result = Collections.EMPTY_LIST; return result; } |
你同样可以使用Collections.EMPTY_SET和Collections.EMPTY_MAP来代替空指针。
使用warp类not raw type...避免你的代码中不必要的自动包装和自动解包。
且不管其他如创建临时对象的缺点,如果wrapper类对象是null,自动包装同样容易导致空指针异常。例如如果person对象没有电话号码的话会返回null,如下代码会因为空指针异常崩溃。
1 2 | Person ram = new Person("ram"); int phone = ram.getPhone(); |
默认值
参考
在Java中如何避免“!=null”式的判空语句? - ImportNew.htm
避免Java应用中NullPointerException的技巧和最佳实践 - ImportNew.htm