前言
设计模式:
一种解决问题的思想和方法
设计模式原则:
高内聚、低耦合
设计模式分类(三大类23种)
创建类设计模式
单例模式、简单工厂模式、工厂模式、抽象工厂模式、原型模式、建造者模式;
结构类设计模式
装饰器模式、适配器模式、门面模式、组合模式、享元模式、桥梁模式;
行为类设计模式
策略模式、责任链模式、命令模式、中介者模式、模板模式、迭代器模式、访问者模式、观察者模式、解释器模式、备忘录模式、状态模式。
单例模式
# 1、Python与设计模式--单例模式 # https://yq.aliyun.com/articles/70418 import threading import time # 抽象单例 class Singleton(object): def __new__(cls, *args, **kwargs): if not hasattr(cls, "_instance"): cls._instance = super(Singleton, cls).__new__(cls, *args, **kwargs) return cls._instance # 总线 class Bus(Singleton): lock = threading.RLock() def sendData(self, data): Bus.lock.acquire() time.sleep(3) print("sendData:", data) Bus.lock.release() # 线程对象 class VisitEntity(threading.Thread): my_bus = "" name = "" def getName(self): return name def setName(self, name): self.name = name def run(self): self.my_bus = Bus() self.my_bus.sendData(self.name) if __name__ == '__main__': for i in range(3): print("run %s"%(i)) my_entity = VisitEntity() my_entity.setName("entity_" + str(i)) my_entity.start() """ run 0 run 1 run 2 sendData: entity_0 sendData: entity_1 sendData: entity_2 """ # 关于super http://python.jobbole.com/86787/
简单工厂模式