forked from 734380794/design-patterns
-
Notifications
You must be signed in to change notification settings - Fork 0
/
24-抽象工厂模式.php
173 lines (146 loc) · 2.82 KB
/
24-抽象工厂模式.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
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
<?php
declare(strict_types=1);
/*
* This file is modified from `xiaohuangniu/26`.
*
* @see https://github.com/xiaohuangniu/26
*/
header('Content-type: text/html; charset=utf-8');
/* 产品 */
// 接口 - 兵营
interface Barracks
{
public function Make(); // 生产
}
// 接口 - 装备库
interface Equipment
{
public function Make(); // 生产
}
/* 生产士兵 */
// 创建 - 步兵
class Infantry implements Barracks
{
public function Make()
{
echo ',步兵防守! '.PHP_EOL;
}
}
// 创建 - 骑兵
class Cavalry implements Barracks
{
public function Make()
{
echo ',骑兵冲锋! '.PHP_EOL;
}
}
/* 生产装备 */
// 创建 - 武器
class Arms implements Equipment
{
public function Make()
{
echo '装备武器,攻击力+100 ';
}
}
// 创建 - 盔甲
class Nail implements Equipment
{
public function Make()
{
echo '装备盔甲,防御力+50 ';
}
}
/* 工厂 */
// 接口 - 顶级抽象工厂
interface TopFactory
{
public function Arms(); // 武器
public function Nail(); // 盔甲
public function Go($Barracks); // 士兵执行动作
}
// 具体化 - 工厂A - 该套餐只能装备武器
class A implements TopFactory
{
// 只有武器
public function Arms()
{
return new Arms();
}
// 没有盔甲
public function Nail()
{
return null;
}
public function Go($Barracks)
{
$A = $this->Arms();
$N = $this->Nail();
if ($A) {
$A->Make();
}
if ($N) {
$N->Make();
}
$Barracks->Make();
}
}
// 具体化 - 工厂B - 该套餐只能装备盔甲
class B implements TopFactory
{
// 没有武器
public function Arms()
{
return null;
}
// 只有盔甲
public function Nail()
{
return new Nail();
}
public function Go($Barracks)
{
$A = $this->Arms();
$N = $this->Nail();
if ($A) {
$A->Make();
}
if ($N) {
$N->Make();
}
$Barracks->Make();
}
}
// 具体化 - 工厂C - 该套餐什么装备都有,土豪必备
class C implements TopFactory
{
// 有武器
public function Arms()
{
return new Arms();
}
// 有盔甲
public function Nail()
{
return new Nail();
}
public function Go($Barracks)
{
$A = $this->Arms();
$N = $this->Nail();
if ($A) {
$A->Make();
}
if ($N) {
$N->Make();
}
$Barracks->Make();
}
}
/* 测试 */
$A = new A(); // 套装-1
$B = new B(); // 套装-2
$C = new C(); // 套装-3
$B->Go(new Infantry()); // 步兵使用套装-2
$A->Go(new Cavalry()); // 骑兵使用套装-1
$C->Go(new Cavalry()); // 骑兵使用套装-3