-
Notifications
You must be signed in to change notification settings - Fork 29
/
Copy pathVisitor.py
89 lines (69 loc) · 1.92 KB
/
Visitor.py
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
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
#
# Python Design Patterns: Visitor
# Author: Jakub Vojvoda [github.com/JakubVojvoda]
# 2016
#
# Source code is licensed under MIT License
# (for more details see LICENSE)
#
import sys
#
# Visitor
# declares a Visit operation for each class of ConcreteElement
# in the object structure
#
class Visitor:
def visitElementA(self, element):
pass
def visitElemeentB(self, element):
pass
#
# Concrete Visitors
# implement each operation declared by Visitor, which implement
# a fragment of the algorithm defined for the corresponding class
# of object in the structure
#
class ConcreteVisitor1(Visitor):
def __init__(self):
Visitor.__init__(self)
def visitElementA(self, concreteElementA):
print("Concrete Visitor 1: Element A visited.")
def visitElementB(self, concreteElementB):
print("Concrete Visitor 1: Element B visited.")
class ConcreteVisitor2(Visitor):
def __init__(self):
Visitor.__init__(self)
def visitElementA(self, concreteElementA):
print("Concrete Visitor 2: Element A visited.")
def visitElementB(self, concreteElementB):
print("Concrete Visitor 2: Element B visited.")
#
# Element
# defines an accept operation that takes a visitor as an argument
#
class Element:
def accept(self, visitor):
pass
#
# Concrete Elements
# implement an accept operation that takes a visitor as an argument
#
class ConcreteElementA(Element):
def __init__(self):
Element.__init__(self)
def accept(self, visitor):
visitor.visitElementA(self)
class ConcreteElementB(Element):
def __init__(self):
Element.__init__(self)
def accept(self, visitor):
visitor.visitElementB(self)
if __name__ == "__main__":
elementA = ConcreteElementA()
elementB = ConcreteElementB()
visitor1 = ConcreteVisitor1()
visitor2 = ConcreteVisitor2()
elementA.accept(visitor1)
elementA.accept(visitor2)
elementB.accept(visitor1)
elementB.accept(visitor2)