Java中有關Null的9件事
import java.util.HashMap; import java.util.Map; /** * An example of Autoboxing and NullPointerExcpetion * * @author WINDOWS 8 */ public class Test { public static void main(String args[]) throws InterruptedException { Map numberAndCount = new HashMap<>(); int[] numbers = {3, 5, 7,9, 11, 13, 17, 19, 2, 3, 5, 33, 12, 5}; for(int i : numbers){ int count = numberAndCount.get(i); numberAndCount.put(i, count++); // NullPointerException here } } }
輸出:
Exception in thread "main" java.lang.NullPointerException
at Test.main(Test.java:25)
這段程式碼看起來非常簡單並且沒有錯誤。你所做的一切是找到一個數字在陣列中出現了多少次,這是Java陣列中典型的尋找重複的技術。開發者首先得到以前的數值,然後再加一,最後把值放回Map裡。程式設計師可能會以為,呼叫put方法時,自動裝箱會自己處理好將int裝箱成Interger,但是他忘記了當一個數字沒有計數值的時候,HashMap的get()方法將會返回null,而不是0,因為Integer的預設值是null而不是0。當把null值傳遞給一個int型變數的時候自動裝箱將會返回空指標異常。設想一下,如果這段程式碼在一個if巢狀裡,沒有在QA環境下執行,但是你一旦放在生產環境裡,BOOM:-)
6)如果使用了帶有null值的引用型別變數,instanceof操作將會返回false:
Integer iAmNull = null;
if(iAmNull instanceof Integer){
System.out.println("iAmNull is instance of Integer");
}else{
System.out.println("iAmNull is NOT an instance of Integer");
}
輸出:
AmNull is NOT an instance of Integer
這是instanceof操作一個很重要的特性,使得對型別強制轉換檢查很有用
7)你可能知道不能呼叫非靜態方法來使用一個值為null的引用型別變數。它將會丟擲空指標異常,但是你可能不知道,你可以使用靜態方法來使用一個值為null的引用型別變數。因為靜態方法使用靜態繫結,不會丟擲空指標異常。下面是一個例子:
public class Testing {
public static void main(String args[]){
Testing myObject = null;
myObject.iAmStaticMethod();
myObject.iAmNonStaticMethod();
}
private static void iAmStaticMethod(){
System.out.println("I am static method, can be called by null reference");
}
private void iAmNonStaticMethod(){
System.out.println("I am NON static method, don't date to call me by null");
}
輸出:
I am static method, can be called by null reference
Exception in thread "main" java.lang.NullPointerException
at Testing.main(Testing.java:11)
8)你可以將null傳遞給方法使用,這時方法可以接收任何引用型別,例如public void print(Object obj)可以這樣呼叫print(null)。從編譯角度來看這是可以的,但結果完全取決於方法。Null安全的方法,如在這個例子中的print方法,不會丟擲空指標異常,只是優雅的退出。如果業務邏輯允許的話,推薦使用null安全的方法。
9)你可以使用==或者!=操作來比較null值,但是不能使用其他演算法或者邏輯操作,例如小於或者大於。跟SQL不一樣,在Java中null==null將返回true,如下所示:
public class Test {
public static void main(String args[]) throws InterruptedException {
String abc = null;
String cde = null;
if(abc == cde){
System.out.println("null == null is true in Java");
}
if(null != null){
System.out.println("null != null is false in Java");
}
// classical null check
if(abc == null){
// do something
}
// not ok, compile time error
if(abc > null){
}
}
}
輸出:
null == null is true in Java
這是關於Java中null的全部。通過Java程式設計的一些經驗和使用簡單的技巧來避免空指標異常,你可以使你的程式碼變得null安全。因為null經常作為空或者未初始化的值,它是困惑的源頭。對於方法而言,記錄下null作為引數時方法有什麼樣的行為也是非常重要的。總而言之,記住,null是任何一個引用型別變數的預設值,在java中你不能使用null引用來呼叫任何的instance方法或者instance變數。