hashmap與hashtable的區別,以及實現hashmap的同步操作

zhaosoft1982發表於2010-03-27

Hashtable和HashMap的區別
1.Hashtable是Dictionary的子類,HashMap是Map介面的一個實現類;

2.Hashtable中的方法是同步的,而HashMap中的方法在預設情況下是非同步的。即是說,在多執行緒應用程式中,不用專門的操作就安全地可以使用Hashtable了;而對於HashMap,則需要額外的同步機制。但HashMap的同步問題可通過Collections的一個靜態方法得到解決:
Map Collections.synchronizedMap(Map m)
這個方法返回一個同步的Map,這個Map封裝了底層的HashMap的所有方法,使得底層的HashMap即使是在多執行緒的環境中也是安全的。

3.在HashMap中,null可以作為鍵,這樣的鍵只有一個;可以有一個或多個鍵所對應的值為null。當get()方法返回null值時,即可以表示HashMap中沒有該鍵,也可以表示該鍵所對應的值為null。因此,在HashMap中不能由get()方法來判斷HashMap中是否存在某個鍵,而應該用containsKey()方法來判斷。

4.其底層的實現機制不同,hashmap的訪問速度要快於hashtable,因為它不需要進行同步檢驗,建議在非多執行緒環境中使用hashmap代替hashtable .

HashMap與Hashtable的區別
HashTable的應用非常廣泛,HashMap是新框架中用來代替HashTable的類,也就是說建議使用HashMap,不要使用HashTable。可能你覺得HashTable很好用,為什麼不用呢?這裡簡單分析他們的區別。
1.HashTable的方法是同步的,HashMap未經同步,所以在多執行緒場合要手動同步HashMap這個區別就像Vector和ArrayList一樣。

2.HashTable不允許null值(key和value都不可以),HashMap允許null值(key和value都可以)。

3.HashTable有一個contains(Object value),功能和containsValue(Object value)功能一樣。

4.HashTable使用Enumeration,HashMap使用Iterator。

以上只是表面的不同,它們的實現也有很大的不同。

5.HashTable中hash陣列預設大小是11,增加的方式是 old*2+1。HashMap中hash陣列的預設大小是16,而且一定是2的指數。

6.雜湊值的使用不同,HashTable直接使用物件的hashCode,程式碼是這樣的:
int hash = key.hashCode();
int index = (hash & 0x7FFFFFFF) % tab.length;
而HashMap重新計算hash值,而且用與代替求模:
int hash = hash(k);
int i = indexFor(hash, table.length);

static int hash(Object x) {
  int h = x.hashCode();

  h += ~(h < < 9);
  h ^= (h >>> 14);
  h += (h < < 4);
  h ^= (h >>> 10);
  return h;
}
static int indexFor(int h, int length) {
  return h & (length-1);
}
以上只是一些比較突出的區別,當然他們的實現上還是有很多不同的,比如
HashMap對null的操作

例子

package testMapAndTable;

import java.util.Collections;
import java.util.HashMap;
import java.util.Hashtable;
import java.util.Map;

public class TableMap {

public static void main(String... strings) {
Map<Integer, Integer> map = Collections
.synchronizedMap(new HashMap<Integer, Integer>());//為hashmap加上同步
Hashtable<Integer, Integer> table = new Hashtable<Integer, Integer>();
long before = System.currentTimeMillis();
add(map);
System.out.println("add map time="
+ (System.currentTimeMillis() - before));
before = System.currentTimeMillis();
add(table);
System.out.println("add table time="
+ (System.currentTimeMillis() - before));

before = System.currentTimeMillis();
get(map);
System.out.println("get map time="
+ (System.currentTimeMillis() - before));

before = System.currentTimeMillis();
get(table);
System.out.println("get table time="
+ (System.currentTimeMillis() - before));
}

public static void add(Map<Integer, Integer> map) {
for (int i = 0; i < 300000; i++) {
map.put(i, i);
}
}

public static void get(Map<Integer, Integer> map) {
for (int i = 0; i < 300000; i++) {
map.get(i);
}
}
}

相關文章