单例概念:
单例是一个特殊的类,这个类只能创建一次实例,例子如下:
1.a = Std(name='leo'), b = Std(name='jack'),两者的指向都是name=‘leo’的对象;
2.windows中只有一个回收站,打开一次回收站只会出现一次窗口,双击第二次不会出现第二个窗口 ,这就是单例,对象不会重新创建,只会创建一次;
单例的作用:
1.用于有单例需求的业务场景,例如windows的回收站;
2.之前我做的项目用到了第三方sdk做接口发送短信验证码,但是该sdk写的代码不够好,重复创建对象去发送短信,如果有几十万个用户同时有发送短信的需求,那么该sdk就要重复创建几十万个用于发送短信验证码的对象,实际上它只是要调用对象的方法进行发送短信罢了,因此可以用单例设计模式减轻服务器负担,代码对比如下:
第三方sdk源码:
[python] view plain copy
#初始化REST SDK
rest = REST(serverIP,serverPort,softVersion)
rest.setAccount(accountSid,accountToken)
rest.setAppId(appId)
result = rest.sendTemplateSMS(to,datas,tempId)
我写的单例代码:
[python] view plain copy
class CCP(object):
"""封装单例类,用于统一的发送短信验证码"""
_singleton =None
def __new__(cls, *args, **kwargs):
if not cls._singleton:
cls._instance = super(CCP, cls).__new__(cls, *args, **kwargs)
cls._instance.rest = REST(serverIP,serverPort,softVersion)
cls._instance.rest.setAccount(accountSid,accountToken)
cls._instance.rest.setAppId(appId)
return cls._instance
def send_sms_msg(self, to, datas, tempId):
"""发送短信验证码的实例方法"""
ret =self.rest.sendTemplateSMS(to, datas, tempId)
if ret.get('statusCode') == '000000':
return 1
else:
return 0
总结:单例设计模式用于有减少重复创建实例需求的场景,例如windows的回收站页面,短信发送对象等业务场景;
网友评论