Java中如何避免空指標異常
阿新 • • 發佈:2018-12-23
這個問題對於我來說是一個很常見的問題,這也是由初級程式設計師成長到中級程式設計師的時候經常會遇到的問題。程式設計師不知道或不信任正在使用的約定,並且小心的檢查著null。還有當程式設計師寫程式碼的時候,總是會依賴於通過返回空(NULL)來表明某些意義,因此需要呼叫者去檢查Null。換種方式來說,有兩種空指標的檢查場景:
- 期望的結果就是null。
- 期望的結果不是null。
第二種很簡單,可以通過用assert或者允許程式報錯,例如丟擲NullPointerException。Assertions是一個從Java1.4加進來的高度未被利用的特性,語法是:
assert <condition >
或者
assert <condition> : <object>
condition是一個布林表示式,object是一個物件(其toString()方法的輸出將會被包含在錯誤裡)。
校對注:我測試了下,JDK1.4及其以上,執行前設定vm引數-ea
public static void main(String[] args) { String name = null; assert (name != null) : "name為空null"; }
Exception in thread "main"; java.lang.AssertionError: 變數name為空null at LogUtil.main(LogUtil.java:37)
public interface Action {
void doSomething();
}
public interface Parser {
Action findAction(String userInput);
}
Parser採用使用者的輸入作為引數,然後做一些事情(例如模擬一個命令列)。現在你可能會
返回null,如果沒找到對應輸入的動作的話,這就導致了剛才說過的空指標檢查。
一個可選的解決方案是永遠不要返回null,而是返回一個空物件,
public class MyParser implements Parser {
private static Action DO_NOTHING = new Action() {
public void doSomething() { /* do nothing */ }
};
public Action findAction(String userInput) {
// ...
if ( /* we can't find any actions */ ) {
return DO_NOTHING;
}
}
}
比較這段程式碼:
Parser parser = ParserFactory.getParser();
if (parser == null) {
// now what?
// this would be an example of where null isn't (or shouldn't be) a valid response
}
Action action = parser.findAction(someInput);
if (action == null) {
// do nothing
} else {
action.doSomething();
}
和這段:
ParserFactory.getParser().findAction(someInput).doSomething();
這是個更好的設計,因為足夠簡潔,避免了多餘的判斷。即便如此,或許比較合適的設計是:findAction()方法之惡傑丟擲一個異常,其中包含一些有意義的錯誤資訊—–特別是在這個案例中你依賴於使用者的輸入。讓findAction()方法丟擲一個異常而不是簡單的產生一個沒有任何解釋的NullPointerException 要好得多。
try {
ParserFactory.getParser().findAction(someInput).doSomething();
} catch(ActionNotFoundException anfe) {
userConsole.err(anfe.getMessage());
}
或者你認為try/catch 的機制太醜了,你的action應該跟使用者提供一個反饋而不是什麼都不做:
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);
}
}
}