PHP 中设计模式是一种可重用的解决方案,用于解决常见的编程问题。它分为三大类:创建型模式、结构型模式和行为型模式。其中应用广泛的创建型模式包括工厂模式,用于创建不同类型的对象;结构型模式包含策略模式,用于根据不同的策略执行不同的行为。
设计模式是软件设计中可重用的解决方案,用于解决常见的编程问题。通过采用设计模式,开发者可以提高代码的可复用性、可读性和可维护性。
设计模式通常分为三大类:
PHP 支持多种设计模式,包括:
使用工厂模式创建对象
// 抽象产品接口 interface Product { public function getName(); } // 具体产品1 class Product1 implements Product { public function getName() { return "产品 1"; } } // 具体产品2 class Product2 implements Product { public function getName() { return "产品 2"; } } // 工厂类 class Factory { public static function create($type) { switch ($type) { case "product1": return new Product1(); case "product2": return new Product2(); default: throw new Exception("无效的产品类型"); } } } // 使用工厂创建产品 $product = Factory::create("product1"); echo $product->getName(); // 输出 "产品 1"
使用策略模式实现不同的行为
// 定义策略接口 interface Strategy { public function doSomething(); } // 具体策略1 class Strategy1 implements Strategy { public function doSomething() { echo "策略 1 执行了某种动作"; } } // 具体策略2 class Strategy2 implements Strategy { public function doSomething() { echo "策略 2 执行了某种动作"; } } // 上下文类 class Context { private $strategy; public function setStrategy(Strategy $strategy) { $this->strategy = $strategy; } public function doSomething() { $this->strategy->doSomething(); } } // 使用上下文类执行不同的行为 $context = new Context(); $context->setStrategy(new Strategy1()); $context->doSomething(); // 输出 "策略 1 执行了某种动作" $context->setStrategy(new Strategy2()); $context->doSomething(); // 输出 "策略 2 执行了某种动作"