本文实例讲述了Python设计模式之观察者模式。分享给大家供大家参考,具体如下:
观察者模式是一个软件设计模式,一个主题对象包涵一系列依赖他的观察者,自动通知观察者的主题对象的改变,通常会调用每个观察者的一个方法。这个设计模式非常适用于分布式事件处理系统。
典型的在观察者模式下:
1.发布者类应该包涵如下方法:
注册能够接收通知的对象
从主对象到注册对象,通知任何变化
未注册对象不能够接收任何通知信息
2.订购者类应该包涵如下:
发布者会调用一个订购者提供的方法,将任何改变告知注册对象。
3.当一个事件会触发了状态的改变,发表者会调用通知方法
总结:订阅者可以在发布对象中注册或者不注册,如此无论什么事件发生,都会触发发布者通过调用通知方法,去通知订购者。这个通知只会在事件发生的时候,去通知已经注册的订购者。
一个简单的python实现:
让我们实现一个不同用户在TechForum 上发布技术邮件的例子,当任何用户发布一个新的邮件,其他用户就会接收到新邮件通知。从对象的角度去看,我们应该有一个 TechForum对象,我们需要有另外一些需要用户对象在TechForum上注册,当新邮件通知的时候,应该发送邮件标题。
一个简单的例子分析会联想到中介机构和雇主的关系。这就是招聘者和应聘者关系的延伸。通过一个工作中介会发布不同种类的工作信息,应聘者会去寻找相关的工作信息,招聘者也会寻找在中介注册过的应聘者。
代码如下:
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
39
40
41
42
43
44
45
46
47
48
49
50
51
52
|
class Publisher:
def __init__( self ):
pass
def register( self ):
pass
def unregister( self ):
pass
def notifyAll( self ):
pass
class TechForum(Publisher):
def __init__( self ):
self ._listOfUsers = []
self .postname = None
def register( self , userObj):
if userObj not in self ._listOfUsers:
self ._listOfUsers.append(userObj)
def unregister( self , userObj):
self ._listOfUsers.remove(userObj)
def notifyAll( self ):
for objects in self ._listOfUsers:
objects.notify( self .postname)
def writeNewPost( self , postname):
self .postname = postname
self .notifyAll()
class Subscriber:
def __init__( self ):
pass
def notify( self ):
pass
class User1(Subscriber):
def notify( self , postname):
print "User1 notified of a new post %s" % postname
class User2(Subscriber):
def notify( self , postname):
print "User2 notified of a new post %s" % postname
class SisterSites(Subscriber):
def __init__( self ):
self ._sisterWebsites = [ "Site1" , "Site2" , "Site3" ]
def notify( self , postname):
for site in self ._sisterWebsites:
print "Send nofication to site:%s " % site
if __name__ = = "__main__" :
techForum = TechForum()
user1 = User1()
user2 = User2()
sites = SisterSites()
techForum.register(user1)
techForum.register(user2)
techForum.register(sites)
techForum.writeNewPost( "Observe Pattern in Python" )
techForum.unregister(user2)
techForum.writeNewPost( "MVC Pattern in Python" )
|
运行结果:
希望本文所述对大家Python程序设计有所帮助。
原文链接:http://www.cnblogs.com/lizhitai/p/4459126.html