應(yīng)用場景
享元模式指的是在項目中使用對象池. 可避免頻繁的去創(chuàng)建某個類的對象童本, 大大減少創(chuàng)建的對象细诸, 降低進(jìn)程對內(nèi)存的占用.
最典型的場景是Android中的Message類, 一般情況下, app會頻繁的大量使用Message對象油昂, 如果每次都去new一個新對象出來使用, 用后再通過GC進(jìn)行垃圾回收. 那很可能會導(dǎo)致頻繁的gc,影響程序的性能.
因此, android提供了一個Message對象池, 當(dāng)開發(fā)者需要一個Message對象時, 調(diào)用Message.obtain()從這個池子里取一個對象出來使用, 這樣做可以優(yōu)化一定的性能.
當(dāng)要得到一個對象時, 推薦使用
Message msg = Message.obtain();
獲得一個Message對象.
而不要每次都
Message msg = new Message();
這樣去創(chuàng)建一個新的Message對象去使用.
Message的代碼分析
Message的對象池是通過一個鏈表實(shí)現(xiàn)的.
默認(rèn)最大長度是50冕碟,
從鏈表中取對象時拦惋,取的是頭節(jié)點(diǎn).
把不用的對象添加進(jìn)鏈表, 也是作為頭節(jié)點(diǎn)添加到鏈表中.
public final class Message implements Parcelable {
private static Message sPool; //指向Message對象池鏈表的頭節(jié)點(diǎn)
Message next; //指向鏈表頭的下一個節(jié)點(diǎn).
private static final int MAX_POOL_SIZE = 50;
public static Message obtain() {
synchronized (sPoolSync) {
if (sPool != null) { //如果鏈表存在的話
Message m = sPool; //取出鏈表的頭節(jié)點(diǎn)對象, 并返回這個頭節(jié)點(diǎn)對象
sPool = m.next;
m.next = null;
m.flags = 0; // clear in-use flag
sPoolSize--;
return m;
}
}
return new Message();
}
public void recycle() {
recycleUnchecked();
}
//對某一個不再使用的Message對象進(jìn)行回收.
void recycleUnchecked() {
// Mark the message as in use while it remains in the recycled object pool.
// Clear out all other details.
flags = FLAG_IN_USE;
what = 0;
arg1 = 0;
arg2 = 0;
obj = null;
replyTo = null;
sendingUid = -1;
when = 0;
target = null;
callback = null;
data = null;
synchronized (sPoolSync) {
if (sPoolSize < MAX_POOL_SIZE) {//鏈表長度小于50個的情況下
next = sPool;
sPool = this; //把當(dāng)前要回收的節(jié)點(diǎn)作為鏈表頭添加進(jìn)鏈表
sPoolSize++;
}
}
}
}
---DONE.---