在訪問者模式(Visitor Pattern)中,咱們使用了一個訪問者類,它改變了元素類的執行算法。經過這種方式,元素的執行算法能夠隨着訪問者改變而改變。這種類型的設計模式屬於行爲型模式。根據模式,元素對象已接受訪問者對象,這樣訪問者對象就能夠處理元素對象上的操做。算法
意圖:主要將數據結構與數據操做分離。設計模式
主要解決:穩定的數據結構和易變的操做耦合問題。數據結構
什麼時候使用:須要對一個對象結構中的對象進行不少不一樣的而且不相關的操做,而須要避免讓這些操做"污染"這些對象的類,使用訪問者模式將這些封裝到類中。app
如何解決:在被訪問的類裏面加一個對外提供接待訪問者的接口。spa
關鍵代碼:在數據基礎類裏面有一個方法接受訪問者,將自身引用傳入訪問者。設計
應用實例:您在朋友家作客,您是訪問者,朋友接受您的訪問,您經過朋友的描述,而後對朋友的描述作出一個判斷,這就是訪問者模式。code
優勢: 一、符合單一職責原則。 二、優秀的擴展性。 三、靈活性。對象
缺點: 一、具體元素對訪問者公佈細節,違反了迪米特原則。 二、具體元素變動比較困難。 三、違反了依賴倒置原則,依賴了具體類,沒有依賴抽象。blog
使用場景: 一、對象結構中對象對應的類不多改變,但常常須要在此對象結構上定義新的操做。 二、須要對一個對象結構中的對象進行不少不一樣的而且不相關的操做,而須要避免讓這些操做"污染"這些對象的類,也不但願在增長新操做時修改這些類。接口
注意事項:訪問者能夠對功能進行統一,能夠作報表、UI、攔截器與過濾器。
#encoding=utf-8 # #by panda #訪問模式 def printInfo(info): print unicode(info, 'utf-8').encode('gbk') #基本數據結構: class Person(): def Accept(self, visitor): pass class Man(Person): type = '男人' def Accept(self, visitor): visitor.GetManConclusion(self) class Woman(Person): type = '女人' def Accept(self, visitor): visitor.GetWomanConclusion(self) #基於數據結構的操做 class Action(): def GetManConclusion(self, person): pass def GetWomanConclusion(self, person): pass class Success(Action): type = '成功' def GetManConclusion(self, person): printInfo('%s %s時,背後多半有一個偉大的女人' %(person.type, self.type)) def GetWomanConclusion(self, person): printInfo('%s %s時,背後大多有一個不成功的男人' %(person.type, self.type)) class Failing(Action): type = '失敗' def GetManConclusion(self, person): printInfo('%s %s時,悶頭喝酒,誰也不用勸' %(person.type, self.type)) def GetWomanConclusion(self, person): printInfo('%s %s時,眼淚汪汪,誰也勸不了' %(person.type, self.type)) class Love(Action): type = '戀愛' def GetManConclusion(self, person): printInfo('%s %s時,凡是不懂也要裝懂' %(person.type, self.type)) def GetWomanConclusion(self, person): printInfo('%s %s時,遇事懂也裝做不懂' %(person.type, self.type)) #對象結構類:遍歷數據結構的操做 class ObjectStructure: elements = [] def Attach(self, element): self.elements.append(element) def Detach(self, element): self.elements.remove(element) def Display(self, visitor): for e in self.elements: e.Accept(visitor) def clientUI(): o = ObjectStructure() o.Attach(Man()) o.Attach(Woman()) o.Display(Success()) o.Display(Failing()) o.Display(Love()) return if __name__ == '__main__': clientUI();