最近編程時,發現一個針對HashMap<Integer, E>的一個提示:
翻譯過來就是:用SparseArray<E>來代替會有更好性能。
那咱們就來看看源碼中SparseArray到底作了哪些事情:
1、構造
從構造方法咱們能夠看出,它和通常的List同樣,能夠預先設置容器大小,默認的大小是10:
- public SparseArray() {
- this(10);
- }
-
-
- public SparseArray(int initialCapacity) {
- ......
- }
public SparseArray() {
this(10);
}
public SparseArray(int initialCapacity) {
......
}
2、增
它有兩個方法能夠添加鍵值對:
- public void put(int key, E value)
- public void append(int key, E value)
public void put(int key, E value)
public void append(int key, E value)
在存儲數據的時候,是採用了二分法方式,如下是它採用二分法的源碼:
- private static int binarySearch(int[] a, int start, int len, int key) {
- int high = start + len;
- int low = start - 1;
-
-
- while (high - low > 1) {
- int guess = (high + low) / 2;
-
-
- if (a[guess] < key) {
- low = guess;
- continue;
- }
- high = guess;
- }
-
-
- if (high == start + len)
- return start + len ^ 0xFFFFFFFF;
- if (a[high] == key) {
- return high;
- }
- return high ^ 0xFFFFFFFF;
- }
private static int binarySearch(int[] a, int start, int len, int key) {
int high = start + len;
int low = start - 1;
while (high - low > 1) {
int guess = (high + low) / 2;
if (a[guess] < key) {
low = guess;
continue;
}
high = guess;
}
if (high == start + len)
return start + len ^ 0xFFFFFFFF;
if (a[high] == key) {
return high;
}
return high ^ 0xFFFFFFFF;
}
因此,它存儲的數值都是按鍵值從小到大的順序排列好的。
3、查
它有兩個方法能夠取值:
- public E get(int key)
- public E get(int key, E valueIfKeyNotFound)
public E get(int key)
public E get(int key, E valueIfKeyNotFound)
最後一個從傳參的變量名就能看出,傳入的是找不到的時候返回的值
查看第幾個位置的鍵:
- public int keyAt(int index)
public int keyAt(int index)
查看第幾個位置的值:
- public E valueAt(int index)
public E valueAt(int index)
查看鍵所在位置,因爲採用二分法查找鍵的位置,因此沒有的話返回小於0的數值,而不是返回-1,這點要注意,返回的負數實際上是表示它在哪一個位置就找不到了,若是你存了5個,查找的鍵大於5個值的話,返回就是-6:
- public int indexOfKey(int key)
public int indexOfKey(int key)
查看值所在位置,沒有的話返回-1:
- public int indexOfValue(E value)
public int indexOfValue(E value)
4、刪
它有四個方法:
- public void delete(int key)
- public void remove(int key)
public void delete(int key)
public void remove(int key)
但其實,delete和remove的效果是同樣的,remove方法中調用了delete方法,remove源碼:
- public void remove(int key) {
- delete(key);
- }
public void remove(int key) {
delete(key);
}
- public void removeAt(int index)
- public void clear()
public void removeAt(int index)
public void clear()
最後一個就是清除所有
5、改
- public void setValueAt(int index, E value)
- public void put(int key, E value)
public void setValueAt(int index, E value)
public void put(int key, E value)
put方法還能夠修改鍵值對,注意:若是鍵不存在,就會變爲添加新鍵值對 6、其餘: SparseArray實現了Cloneable接口,還能夠調用clone方法。 小結:既然android系統建議咱們用SparseArray<E>來代替HashMap<Integer, E>,那咱們仍是按它說的作吧。裏面的一些方法,我在這裏也已經剖析清楚了,但願能對大家有所幫助。