1. 工厂模式: 分离对象创建和业务逻辑,通过工厂类创建指定类型的对象。2. 观察者模式: 允许主题对象通知观察者对象其状态更改,实现松耦合和观察者模式。
PHP 设计模式实战案例解析
前言
设计模式是解决常见软件设计问题的成熟解决方案范例。它们有助于创建可重用、可维护和可扩展的代码。在本文中,我们将探讨 PHP 中一些最常用的设计模式并提供实战案例示例。
工厂模式
创建对象的最佳方式是将实例化过程从业务逻辑中分离出来。工厂模式使用一个中央工厂类来决定创建哪种类型的对象。
实战案例:创建一个形状工厂
interface Shape {
public function draw();
}
class Square implements Shape {
public function draw() {
echo "Drawing a square.\n";
}
}
class Circle implements Shape {
public function draw() {
echo "Drawing a circle.\n";
}
}
class ShapeFactory {
public static function createShape(string $type): Shape {
switch ($type) {
case "square":
return new Square();
case "circle":
return new Circle();
default:
throw new Exception("Invalid shape type.");
}
}
}
// Usage
$factory = new ShapeFactory();
$square = $factory->createShape("square");
$square->draw(); // 输出:Drawing a square.
观察者模式
观察者模式允许一个对象(主题)通知其他对象(观察者)有关其状态更改。
实战案例:创建一个博客系统
interface Observer {
public function update(Subject $subject);
}
class Subject {
protected $observers = [];
public function attach(Observer $observer) {
$this->observers[] = $observer;
}
public function detach(Observer $observer) {
$key = array_search($observer, $this->observers);
if ($key !== false) {
unset($this->observers[$key]);
}
}
public function notify() {
foreach ($this->observers as $observer) {
$observer->update($this);
}
}
}
class Post extends Subject {
private $title;
private $body;
// ... Post related methods
public function publish() {
$this->notify();
}
}
class EmailObserver implements Observer {
public function update(Subject $subject) {
// Send an email notification for the new post.
}
}
class PushObserver implements Observer {
public function update(Subject $subject) {
// Send a push notification for the new post.
}
}
// Usage
$post = new Post();
$observer1 = new EmailObserver();
$observer2 = new PushObserver();
$post->attach($observer1);
$post->attach($observer2);
$post->publish(); // Sends email and push notifications for the new post.
总结
我们通过实际示例探讨了工厂和观察者设计模式,说明了设计模式如何提高代码的可重用性、可维护性和可扩展性。
以上就是PHP 设计模式实战案例解析的详细内容,更多请关注编程网其它相关文章!