享元模式(Flyweight)
1.意图
运用共享技术有效地支持大量细粒度的对象。
2.适用性
Flyweight模式的有效性很大程度上取决于如何使用它以及在何处使用它。当以下情况都成立时使用Flyweight模式:
- 一个应用程序使用了大量的对象。
- 完全由于使用大量的对象,造成很大的存储开销。
- 对象的大多数状态都可变为外部状态。
- 如果删除对象的外部状态,那么可以用相对较少的共享对象取代很多组对象。
- 应用程序不依赖于对象标识。由于Flyweight对象可以被共享,对于概念上明显有别的对象,标识测试将返回真值。
3.结构
下面的对象图说明了如何共享flyweight。
4.代码
package flyweight
/*
# 享元模式 重复利用对象
享元模式从对象中剥离出不发生改变且多个实例需要的重复数据,
独立出一个享元,使多个对象共享,从而节省内存以及减少对象数量。
*/
import (
"fmt"
"testing"
"time"
)
type Word struct {
data string
}
type WordFactory struct {
pool map[string]*Word
}
var wordFactory *WordFactory
func GetWordFlyweightFactory() *WordFactory {
if wordFactory == nil {
wordFactory = &WordFactory{
pool: make(map[string]*Word),
}
}
return wordFactory
}
func (this *WordFactory) Get(word string) *Word {
if wd,ok:=this.pool[word];!ok {
wd = NewWordFlyweight(word)
this.pool[word] = wd
}
return this.pool[word]
}
func NewWordFlyweight(word string) *Word {
data := word
return &Word{
data: time.Now().Format("03:04:05")+"-->"+data,
}
}
func (this *Word) Data() string {
return this.data
}
type WordViewer struct {
*Word
}
func NewWordViewer(word string) *WordViewer {
wd := GetWordFlyweightFactory().Get(word)
return &WordViewer{
Word: wd,
}
}
func (this *WordViewer) Display() {
fmt.Printf("从池中取出数据: %s\n", this.Data())
}
func TestFlyweight(t *testing.T) {
viewer1 := NewWordViewer("你")
viewer2 := NewWordViewer("你")
t.Log(viewer1.Word.data,viewer2.Word.data)
viewer3 := NewWordViewer("你")
viewer3.Display()
}