本文实例讲述了python设计模式之备忘录模式原理与用法。分享给大家供大家参考,具体如下:
备忘录模式(memento pattern):不破坏封装性的前提下捕获一个对象的内部状态,并在该对象之外保存这个状态,这样已经后就可将该对象恢复到原先保存的状态
下面是一个备忘录模式的demo:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
|
#!/usr/bin/env python
# -*- coding:utf-8 -*-
__author__ = 'andy'
"""
大话设计模式
设计模式——备忘录模式
备忘录模式(memento pattern):不破坏封装性的前提下捕获一个对象的内部状态,并在该对象之外保存这个状态,这样已经后就可将该对象恢复到原先保存的状态
"""
# 发起人类
class originator( object ):
def __init__( self , state):
self .state = state
def create_memento( self ):
return memento( self .state)
def set_memento( self , memento):
self .state = memento.state
def show( self ):
print "当前状态 " , self .state
# 备忘录类
class memento( object ):
def __init__( self , state):
self .state = state
# 管理者类
class caretaker( object ):
def __init__( self ,memento):
self .memento = memento
if __name__ = = "__main__" :
# 初始状态
originator = originator(state = 'on' )
originator.show()
# 备忘录
caretaker = caretaker(originator.create_memento())
# 修改状态
originator.state = 'off'
originator.show()
# 复原状态
originator.set_memento(caretaker.memento)
originator.show()
|
运行结果:
当前状态 on
当前状态 off
当前状态 on
上面的类的设计如下图:
originator(发起人):负责创建一个备忘录memento,用以记录当前时刻它的内部状态,并可使用备忘录恢复内部状态,originator可根据需要决定memento存储originator的那些内部状态
memento(备忘录):负责存储originator对象的内部状态,并可防止originator以外的其他对象访问备忘录memento
caretaker(管理者):负责保存好备忘录memento,不能对备忘录的内容进行操作或检查
希望本文所述对大家python程序设计有所帮助。
原文链接:https://www.cnblogs.com/onepiece-andy/p/python-memento-pattern.html