【风趣的解释】
Flyweight Mode
家里一到晚上就开始抢电视,大人们喜欢看连续剧,小孩喜欢看少儿节目。每天晚上你争我抢的,最后还是输给了小孩,最近看少儿节目,都看的快弱智了!肿么办,摆两台电视吧,一个给小孩看,一个给大人看。一个人用一台电视显得有点浪费,而且家里不一定放得下。按需求来分开两拨,花最少的钱得到所需,更明智些!
【正式的解释】
享元模式
享元模式以共享的方式高效的支持大量的细粒度对象。主要来减少共享对象的数目。通常将常规类中的可共享的部分与不可共享的部分区分开来。并将不可共享的部分从常规类中剔除,而且应当使用一个工厂对象来负责创建可共享的对象。
【Python版】
#-*- coding:utf-8 -*-
#TV
class TV(object):
def __init__(self, brand, size):
self.brand = brand
self.size = str(size)
#TV工厂
class TVFactory(object):
createdTV = {}
@staticmethod
def createTV(brand, size):
tvStyle = brand+str(size)
if TVFactory.createdTV.has_key(tvStyle):
return TVFactory.createdTV[tvStyle]
else:
tv = TV(brand, size)
TVFactory.createdTV[tvStyle] = tv
return tv
#TV管理器
class TVManager(object):
tvDatabase = {}
def addNewTV(self, owner, brand, size):
tv = TVFactory.createTV(brand, size)
self.__class__.tvDatabase[owner] = tv
def showTV(self):
for item in self.__class__.tvDatabase:
print item + ": " + self.__class__.tvDatabase[item].brand + ", " + self.__class__.tvDatabase[item].size
if __name__ == "__main__":
tvManager = TVManager()
#同一品牌、同一尺寸的TV只会共享一个实例
tvManager.addNewTV("adult", "TCL", 30)
tvManager.addNewTV("children", "TCL", 30)
tvManager.showTV()
"""print out
adult: TCL, 30
children: TCL, 30
"""
【JS版】
//TV
function TV(brand, size){
this.brand = brand;
this.size = size;
}
//TV工厂
var TVFactory = (function(){
var createdTV = {};
return {
createTV: function(brand, size){
var tv,
key = brand + size;
if(typeof createdTV[key] !== 'undefined'){
return createdTV[key];
}else{
tv = new TV(brand, size);
createdTV[key] = tv;
return tv;
}
}
}
})();
//TV管理器
function TVManager(){
this.tvDatabase = {};
}
TVManager.prototype.addNewTV = function(owner, brand, size){
tv = TVFactory.createTV(brand, size);
this.tvDatabase[owner] = tv;
};
TVManager.prototype.showTV = function(){
for(var item in this.tvDatabase){
console.log(item + ': ' + this.tvDatabase[item].brand + ', ' + this.tvDatabase[item].size);
}
};
var tvManager = new TVManager();
//同一品牌、同一尺寸的TV只会共享一个实例
tvManager.addNewTV('adult', 'TCL', 30);
tvManager.addNewTV('children', 'TCL', 30);
tvManager.showTV();
/*console out
adult: TCL, 30
children: TCL, 30
*/