As far as I know, this is like an Observer pattern. Scenario: A Center object keeps a list (queue) of all its clients. I’m using Twisted.
- One of client objects changes a variable in center object OR notify the center to change the variable,
- and then the center object detects the change immediately;
- then as soon as the detection, the center object invoke some function of next object in queue
- After the client changed the variable, the client object will be eliminated. The center will take care of next client object. So I imagine there’s no any function chain between these objects. So it’s a little bit different from observer pattern. (How to address this issue? Correct me if I’m wrong.)
following code is just for demo only:
JavaScript
x
20
20
1
class client():
2
def change(self):
3
self.center.va = 1
4
5
def inqueue(self):
6
self.center.queue.enqueue(self)
7
8
def function(self):
9
pass
10
11
class center():
12
def __init__(self):
13
self.queue = None
14
self.va = 0
15
16
#### When the self.va changes, this func will be invoked
17
def whenChanged(self):
18
next = self.queue.dequeue()
19
next.function()
20
Advertisement
Answer
Whenever a property of class is changed, setattr()
function is called. You can override this by defining __setattr__(self, property, value)
function in your class.
You need to make your required function call within this __ setattr__()
. Below is the sample example based on your requirement:
JavaScript
1
13
13
1
class Centre(object):
2
def __init__(self):
3
self.queue = None
4
self.va = 0
5
6
def whenChanged(self):
7
next = self.queue.dequeue()
8
next.function()
9
10
def __setattr__(self, key, value):
11
self.key = value
12
self.whenChanged() # <-- Your function
13
Whenever you will attempt to change the value of any of class’s property, this __settattr__
function will be called.