TreeMap
類不只實現了Map
接口,還實現了Map
接口的子接口java.util.SortedMap
。由TreeMap
類實現的Map
集合,不容許鍵對象爲null
。java
一種平衡二叉樹的實現。數據結構
因爲TreeMap
須要排序,因此須要一個Comparator
爲鍵值進行大小比較.固然也是用Comparator
定位的.code
Comparator
能夠在建立TreeMap
時指定key.compareTo()
方法,這就要求key
必須實現Comparable
接口.TreeMap
是使用Tree數據結構實現的,因此使用compare
接口就能夠完成定位了.put方法對象
public V put(K key, V value) { Entry<K,V> t = root; if (t == null) { compare(key, key); // type (and possibly null) check root = new Entry<>(key, value, null); size = 1; modCount++; return null; } int cmp; Entry<K,V> parent; // split comparator and comparable paths Comparator<? super K> cpr = comparator; if (cpr != null) { do { parent = t; cmp = cpr.compare(key, t.key); if (cmp < 0) t = t.left; else if (cmp > 0) t = t.right; else return t.setValue(value); } while (t != null); } else { if (key == null) throw new NullPointerException(); @SuppressWarnings("unchecked") Comparable<? super K> k = (Comparable<? super K>) key; do { parent = t; cmp = k.compareTo(t.key); if (cmp < 0) t = t.left; else if (cmp > 0) t = t.right; else return t.setValue(value); } while (t != null); } Entry<K,V> e = new Entry<>(key, value, parent); if (cmp < 0) parent.left = e; else parent.right = e; fixAfterInsertion(e); size++; modCount++; return null; }
從put方法可看出,若是構造TreeMap指定了Comparator,使用Comparator做爲比較依據;不然利用key實現的Comparable接口做爲比較大小依據。排序
前面提到,HashMap的key無需,可是添加查找刪除操做的時間複雜度都接近於O(1),LinkedHashMap的添加刪除查找的時間複雜度也接近於O(1),並且按key能夠有兩種有序(按插入,按訪問),那爲何還須要一種時間複雜度爲O(logn)的按key有序的數據結構? TreeMap
默認是按鍵值的升序排序,也能夠指定排序的比較器(比較可定製),當用Iterator
遍歷TreeMap
時,獲得的記錄是排過序的。接口
TreeMap便可經過構造時指定comparator進行排序,也可按照key實現的comparable接口排序,那麼都實現了,而且排序規則不一樣,默認使用哪一種?默認優先使用構造時傳入的Comparator,而後纔會使用key實現的comparable接口。get
通常在須要按天然排序或者按指定方式排序輸出使用TreeMap
;按輸入順序輸出,則使用LinkedHashMap
it
Thanks for reading! want moreio