-
Notifications
You must be signed in to change notification settings - Fork 0
/
Bridging.php
88 lines (78 loc) · 1.74 KB
/
Bridging.php
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
<?php
/*
*桥接模式
*
*现实生活示例
*假如你有一个网站,上面有不同的网页,并且允许用户更改主题。你会如何实现呢?
*是为每个页面的各个主题创建多个副本,还是创建单独的主题,并根据用户的偏好来加载主题呢?
*桥接模式可以帮你实现后者。
*
*概述
*桥接模式主打的是组合优于继承。实现细节从对象的层次结构推送给具有单独层次结构的另一个对象。
*
*维基百科
*桥接模式是软件工程中使用的设计模式,旨在“将抽象与实现分离,使得两者可以独立变化”
*/
//程序示例
//以上面提到的网页为例,下面是 WebPage 的结构
interface WebPage
{
public function __construct(Theme $theme);
public function getContent();
}
class About implements WebPage
{
protected $theme;
public function __construct(Theme $theme)
{
$this->theme = $theme;
}
public function getContent()
{
return 'About page in ' . $this->theme->getColor();
}
}
class Careers implements WebPage
{
protected $theme;
public function __construct(Theme $theme)
{
$this->theme = $theme;
}
public function getContent()
{
return 'Careers page in ' . $this->theme->getColor();
}
}
//独立的主题结构
interface Theme
{
public function getColor();
}
class DarkTheme implements Theme
{
public function getColor()
{
return 'Dark Black';
}
}
class LightTheme implements Theme
{
public function getColor()
{
return 'Off white';
}
}
class AquaTheme implements Theme
{
public function getColor()
{
return 'Light green';
}
}
//使用
$darkTheme = new DarkTheme();
$about = new About($darkTheme);
$careers = new Careers($darkTheme);
echo $about->getContent() . PHP_EOL;
echo $careers->getContent() . PHP_EOL;