forked from pkolt/design_patterns
-
Notifications
You must be signed in to change notification settings - Fork 0
/
bridge.py
65 lines (45 loc) · 1.78 KB
/
bridge.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
# coding: utf-8
"""
Мост (Bridge) - паттерн, структурирующий объекты.
Основная задача - отделить абстракцию от её реализации так,
чтобы то и другое можно было изменять независимо.
"""
class TVBase(object):
"""Абстрактный телевизор"""
def tune_channel(self, channel):
raise NotImplementedError()
class SonyTV(TVBase):
"""Телевизор Sony"""
def tune_channel(self, channel):
print('Sony TV: выбран %d канал' % channel)
class SharpTV(TVBase):
"""Телевизор Sharp"""
def tune_channel(self, channel):
print('Sharp TV: выбран %d канал' % channel)
class RemoteControlBase(object):
"""Абстрактный пульт управления"""
def __init__(self):
self._tv = self.get_tv()
def get_tv(self):
raise NotImplementedError()
def tune_channel(self, channel):
self._tv.tune_channel(channel)
class RemoteControl(RemoteControlBase):
"""Пульт управления"""
def __init__(self):
super(RemoteControl, self).__init__()
self._channel = 0 # текущий канал
def get_tv(self):
return SharpTV()
def tune_channel(self, channel):
super(RemoteControl, self).tune_channel(channel)
self._channel = channel
def next_channel(self):
self._channel += 1
self.tune_channel(self._channel)
def previous_channel(self):
self._channel -= 1
self.tune_channel(self._channel)
remote_control = RemoteControl()
remote_control.tune_channel(5) # Sharp TV: выбран 5 канал
remote_control.next_channel() # Sharp TV: выбран 6 канал