>  기사  >  백엔드 개발  >  PHP 실용적인 디자인 패턴: PHP의 디자인 패턴

PHP 실용적인 디자인 패턴: PHP의 디자인 패턴

WBOY
WBOY원래의
2016-07-23 08:54:42797검색

이 글은 번역된 글입니다

원본 주소: Design Patterns in PHP
PHP를 배울 계획이라면 저자가 작성한 프로그래밍 언어 학습 지식 시스템의 핵심 목록을 참고하세요

이 글에서는 주로 웹 개발, 정확히 말하면 PHP 개발에 관련된 디자인 패턴과 그 적용에 대해 논의합니다. 숙련된 개발자라면 분명 디자인 패턴에 매우 익숙할 것입니다. 그러나 이 문서는 주로 주니어 개발자를 대상으로 합니다. 먼저 디자인 패턴이 무엇인지 이해해야 합니다. 디자인 패턴은 설명을 위한 패턴이 아니며, 연결 목록과 같은 일반적인 데이터 구조도 아니고, 특별한 애플리케이션이나 프레임워크 디자인도 아닙니다. 실제로 디자인 패턴은 다음과 같이 설명됩니다.

특정 상황에서 일반적인 디자인 문제를 해결하기 위해 사용자 정의된 통신 개체 및 클래스에 대한 설명

반면 디자인 패턴은 일상적인 프로그래밍에서 자주 직면하는 문제를 해결하기 위해 광범위하게 재사용 가능한 방법을 제공합니다. 디자인 패턴은 반드시 클래스 라이브러리나 타사 프레임워크는 아니며 아이디어에 가깝고 시스템에서 널리 사용됩니다. 또한 다양한 시나리오에서 문제를 해결하는 데 사용할 수 있는 패턴이나 템플릿으로도 나타납니다. 디자인 패턴을 사용하면 개발 속도를 높이고 많은 큰 아이디어나 디자인을 간단한 방법으로 구현할 수 있습니다. 물론 디자인 패턴은 개발에 매우 ​​유용하지만 부적절한 시나리오에서는 오용되지 않도록 해야 합니다.

현재 23개의 공통 디자인 패턴이 있으며, 이는 다양한 사용 목적에 따라 다음 세 가지 범주로 나눌 수 있습니다.

생성 패턴: 객체를 구현에서 분리하기 위해 객체를 생성하는 데 사용됩니다.

아키텍처 패턴: 서로 다른 객체 사이에 큰 객체 구조를 구성하는 데 사용됩니다.

행동 패턴: 서로 다른 개체 간의 알고리즘, 관계 및 책임을 관리하는 데 사용됩니다.

창의적인 패턴 싱글톤(단일 케이스 모드)

싱글턴 패턴은 웹 애플리케이션 개발에서 가장 일반적인 패턴 중 하나이며 런타임 시 특정 클래스의 액세스 가능한 인스턴스를 생성하는 데 자주 사용됩니다.

  1. /**
  2. * 싱글톤 클래스
  3. */
  4. 최종수업 제품
  5. {
  6. /**
  7. * @var self
  8. */
  9. private static $instance;
  10. /**
  11. * @var 혼합
  12. */
  13. public $mix;
  14. /**
  15. * 셀프 인스턴스 반환
  16. *
  17. * @return self
  18. */
  19. public static function getInstance() {
  20. if (!(self::$instance instanceof self)) {
  21. self::$instance = new self();
  22. }
  23. return self ::$instance;
  24. }
  25. 개인 함수 __construct() {
  26. }
  27. 개인 함수 __clone() {
  28. }
  29. }
  30. $firstProduct = 제품::getInstance();
  31. $secondProduct = 제품::getInstance();
  32. $firstProduct->mix = 'test';
  33. $secondProduct->mix = '예';
  34. print_r($firstProduct->mix);
  35. // 예
  36. print_r($secondProduct->mix);
  37. // 예
코드 복사

많은 경우 시스템의 여러 클래스에 대한 싱글톤 생성 방법을 생성해야 합니다. 이러한 방식으로 보편적인 추상 상위 팩토리 방법을 설정할 수 있습니다.

  1. 추상 클래스 FactoryAbstract {
  2. protected static $instances = array();
  3. 공용 정적 함수 getInstance() {
  4. $className = static::getClassName();
  5. if (!(self::$instances[$className] 인스턴스of $className)) {
  6. self::$instances [$ className] = new $className();
  7. }
  8. return self::$instances[$className];
  9. }
  10. 공개 정적 함수 RemoveInstance() {
  11. $ className = static::getClassName();
  12. if (array_key_exists($className, self::$instances)) {
  13. unset(self::$instances[$className]);
  14. }
  15. }
  16. 최종 보호 정적 함수 getClassName() {
  17. return get_called_class();
  18. }
  19. 보호 함수 __construct() { }
  20. 최종 보호 함수 __clone () { }
  21. }
  22. 추상 클래스 Factory 확장 FactoryAbstract {
  23. final public static function getInstance() {
  24. return parent::getInstance();
  25. }
  26. 최종 공용 정적 함수 RemoveInstance() {
  27. parent::removeInstance();
  28. }
  29. }
  30. // using:
  31. class FirstProduct 확장 Factory {
  32. public $a = [];
  33. }
  34. class SecondProduct는 FirstProduct {
  35. }
  36. FirstProduct::getInstance()->a[] = 1;
  37. SecondProduct를 확장합니다. :: getInstance()->a[] = 2;
  38. FirstProduct::getInstance()->a[] = 3;
  39. SecondProduct::getInstance()->a[] = 4;
  40. print_r(FirstProduct::getInstance()->a);
  41. // array(1, 3)
  42. print_r(SecondProduct::getInstance()->a);
  43. / /array(2, 4)
코드 복사
기재 등록 데스크 모드는 그다지 일반적이지 않으며 일반적인 제작 모드도 정적 메소드를 사용하여 데이터에보다 편리하게 액세스하는 것입니다.

& lt;? php
    /** * 레지스트리 클래스 */
  1. 클래스 패키지 {
  2. 보호 된 정적 $ data = array () ;
  3. public static function set ($ key, $ value) { self :: $ data [$ key] = $ value;
  4. public static function get ( $ key) { return isset (self :: $ data [$ key])? key) { if (array_key_exists ($ key, self :: $ data)) { unset (self :: $ data [$ key]);
  5. }
  6. }
  7. }
  8. package :: set ( 'name', 'package name');
  9. print_r (package :: get ( 'name'));
  10. // 패키지 이름
  11. 공장 (공장 모드) 공장 패턴은 이름에서 알 수 있듯이 매우 일반적으로 사용되는 또 다른 패턴입니다. 실제로 객체 인스턴스의 생산 공장입니다. 어떤 의미에서, 공장 패턴은 특정 내부 구현에 관심을 갖지 않고 객체를 얻는 데 도움이되는 일반적인 방법을 제공합니다.
  12. & lt;? php
  13. 인터페이스 팩토리 {
  14. public function getProduct ();
  15. }
  16. 인터페이스 제품 { 공개 함수 getName ();
  17. }
  18. 클래스 FirstFactory Ampess Factory {
  19. public function getProduct () {
  20. return new FirstProduct ();
public function getName () {
> return '첫 번째 제품'; } 클래스 SecondProduct 제품을 구현합니다. > public function getName () {
return 'Second Product';

} } }

$ factory = new FirstFactory (); $ firstProduct = $ factory- & gt; GetProduct ( // 첫 번째 제품 print_r ($ SecondProduct- & gt; getName ());
    cover code
  1. AbstractFactory (추상 공장 패턴) 어떤 경우에는 다른 선택 논리에 따라 다른 건설 공장을 제공해야하며, 여러 공장의 경우 통일 된 추상 공장이 필요합니다 🎜>
  2. 클래스 구성 { public static $ factory = 1;
  3. }
  4. 인터페이스 제품 {
  5. public function getName ();
  6. }
  7. 추상 클래스 AbstractFactory {
  8. public static function getFactory () {
  9. switch (config :: $ factory) { case 1 :
  10. return new FirstFactory (); case 2 : > 새로운 SecondFactory ()를 반환합니다. class firstFactory 확장 atbractFactory {
  11. public function getProduct () {
  12. return new FirstProduct (); }
  13. 클래스 FirstProduct는 제품 {
  14. public function getName () { '첫 번째 공장에서 제품을 반환합니다'; }
  15. 클래스 SecondFactory 확장 extractFactory {
  16. public function getProduct () {
  17. return new SecondProduct () ;
  18. }
  19. }
  20. 클래스 SecondProduct는 제품을 구현합니다 {
  21. public function getName () {
  22. 'Sec 🎜> $ firstProduct = actractory :: getFactory ()-& gt; getProduct ();
  23. config :: $ factory = 2;
  24. $ secondProduct = AbstractFactory :: getFactory ()-& gt; getProduct ();
  25. print_r ($ FirstProduct- & gt; getName ()); // 첫 번째 공장
  26. print_r ($ secondProduct- & gt; getName ());
  27. ////////////////////////// second 두 번째 공장에서
  28. 복사 코드
  29. 객체 풀 객체 풀은 일련의 객체를 구성하고 저장하고 필요할 때 호출을 얻는 데 사용될 수 있습니다. 보호 된 $ id;

    공개 함수 __construct ($ id) {
    $ this- & gt; id = $ id;
    }
    1. 공개 기능 getID () { return $ this- & gt; id; }
    2. 클래스 팩토리 {
    3. 보호 된 정적 $ products = array ();
    4. public static function pushproduct (Product $ product) { self :: $ products [$ product- & gt; getId ()] = $ product;
    5. public static function getProduct ($ id) { return isset (self :: $ products [$ id])? { if (array_key_exists ($ id, self :: $ products))) {
    6. unset (self :: $ products [$ id]);
    7. }
    8. }
    9. }
    10. factory :: 푸시 제품 (신제품 ( 'First'));
    11. factory :: PushProduct (신제품 ( 'second'));
    12. print_r (Factory :: getProduct (getProduct '첫 번째')-& gt; getId ());
    13. // first print_r (팩토리 :: getProduct ( 'Second')-& gt; getId ());
    14. 코드 복사
    15. 게으른 초기화 (게으른 초기화) 특정 변수의 초기화도 종종 클래스에 사용됩니다. 종종 어떤 기능이 사용될 지 알 수 없으며 일부 기능은 종종 한 번만 필요합니다.
    16. & lt;? php
    17. 인터페이스 제품 {
    18. public function getName ();
    19. }
    20. 클래스 팩토리 { 보호 된 $ firstProduct;
    21. 보호 된 $ secondProduct;
    22. public function getFirstProduct () { if (! $ this- & gt; firstProduct) { return $ this- & gt; firstProduct; public function getSecondProduct () {
    23. if (! $ this- & gt; SecondProduct) {
    24. $ this- & gt; SecondProduct = New SecondProduct (); return $ this- & gt; SecondProduct;
    25. }
    26. }
    27. 클래스 첫 번째 프로듀트 릴리즈 곱 {
    28. public function getName () {
    return 'the First Product'; } 클래스 SecondProduct Product { public function getName () { return 'Sec & gt; getName ());

    // 첫 번째 제품 print_r ($ factory- & gt; getSecondProduct ()-& gt; getName ());

    // print_r ($ factory -& gt; getFirstProduct ()-& gt; getName ()); // 첫 번째 제품
    복사 코드
    프로토 타입 (프로토 타입 모드) 때로는 일부 객체를 여러 번 초기화해야합니다. 특히 초기화에 많은 시간과 리소스가 필요한 경우 이러한 개체를 사전 시작하고 저장합니다.
    1. & lt;? php
    2. 인터페이스 제품 {
    3. }
    4. 클래스 팩토리 {
    5. 개인 $ 제품 ;
    6. public function __construct (Product $ product) { $ this- & gt; product = $ product;
    7. }
    8. public function getProduct () {
    9. 반환 클론 $ this- & gt; product;
    10. }
    11. }
    12. 클래스 일부 제품은 제품 { public $ name;
    13. }
    14. $ prototypefactory = new 공장 (새로운 someproduct ());
    15. $ FirstProduct = $ protoTypefactory- & gt; getProduct ();
    16. $ firstProduct- & gt; name = '첫 번째 제품'; $ SecondProduct = $ protoTypeFactory- & gt; getProduct ();
    17. $ secondProduct- & gt; name = 'Second Product'; intrint_r ($ firstProduct- & gt; name); // 첫 번째 제품
    18. print_r ($ SecondProduct- & gt; name);
    19. // Sec빌더(构造者)

      构造建一些复杂的对象:

      1. 클래스 제품 {
      2. 비공개 $ name;
      3. public function setName($name) {
      4. $this->name = $name;
      5. }
      6. public function getName() {
      7. return $ this->name;
      8. }
      9. }
      10. 추상 클래스 Builder {
      11. protected $product;
      12. 최종 공개 함수 getProduct() {
      13. return $this->product;
      14. }
      15. public function buildProduct() {
      16. $this->product = new Product();
      17. }
      18. }
      19. class FirstBuilder는 Builder {
      20. public function buildProduct() {
      21. parent::buildProduct();
      22. $this->product->setName('첫 번째 제품의 제품 builder');
      23. }
      24. }
      25. class SecondBuilder는 Builder {
      26. public function buildProduct() {
      27. parent::buildProduct();
      28. $this를 확장합니다. ->product->setName('두 번째 빌더의 제품');
      29. }
      30. }
      31. class Factory {
      32. private $builder;
      33. 공개 함수 __construct(Builder $builder) {
      34. $this->builder = $builder;
      35. $this->builder->buildProduct();
      36. }
      37. 공개 function getProduct() {
      38. return $this->builder->getProduct();
      39. }
      40. }
      41. $firstDirector = new Factory(new FirstBuilder());
      42. $secondDirector = new Factory(new SecondBuilder());
      43. print_r($firstDirector->getProduct()->getName());
      44. // 첫 번째 빌더의 제품
      45. print_r($secondDirector->getProduct()->getName());
      46. // 세컨드 빌더의 제품
      复代码
      구조 패턴 데코레이터(装饰器模式)

      装饰器模式允许我们根据运行时不同情景动态地为某个对象调用前后添加不同的行为动작품.

      1. class HtmlTemplate {
      2. // 모든 상위 클래스 메서드
      3. }
      4. class Template1은 HtmlTemplate {
      5. protected $_html;
      6. public function __construct() {
      7. $ this->_html = "

        __text__

        ";
      8. }
      9. 공개 함수 집합($html) {
      10. $this->_html = $html;
      11. }
      12. 공용 함수 render() {
      13. echo $this->_html;
      14. }
      15. }
      16. class Template2 확장 HtmlTemplate {
      17. protected $ _element;
      18. 공개 함수 __construct($s) {
      19. $this->_element = $s;
      20. $this->set("

        " . $this-> ;_html . "

        ");
      21. }
      22. 공개 함수 __call($name, $args) {
      23. $this->_element->$name($args [0]);
      24. }
      25. }
      26. class Template3 확장 HtmlTemplate {
      27. protected $_element;
      28. 공용 함수 __construct($s) {
      29. $this ->_element = $s;
      30. $this->set("" . $this->_html . "");
      31. }
      32. 공개 함수 __call($name, $args) {
      33. $this->_element->$name($args[0] );
      34. }
      35. }
      复代码
      어댑터(适配器模式) php

      class SimpleBook {
      private $author;
        private $title;
      1. function __construct($author_in, $title_in) {
      2. $this->author = $author_in ;
      3. $this->title = $title_in;
      4. }
      5. function getAuthor() {
      6. return $this->author;
      7. }
      8. function getTitle() {
      9. return $this->title;
      10. }
      11. }
      12. class BookAdapter {
      13. private $book;
      14. 함수 __construct(SimpleBook $book_in) {
      15. $this->book = $book_in;
      16. }
      17. function getAuthorAndTitle() {
      18. return $this->book->getTitle().' by '.$this->book->getAuthor();
      19. }
      20. }
      21. // 사용법
      22. $book = new SimpleBook("Gamma, Helm, Johnson 및 Vlissides", "디자인 패턴");
      23. $bookAdapter = new BookAdapter($book);
      24. echo '저자 및 제목: '.$bookAdapter->getAuthorAndTitle();
      25. function echo $line_in) {
      26. echo $line_in."
        ";
      27. }
      28. 复主代码
      29. 행동 패턴 전략(전략 모드)

        테스트 모드는 주로 클라이언트 클래스가 특정 구현을 알지 못해도 특정 알고리즘을 더 잘 사용할 수 있도록 하는 것입니다.

        1. interface OutputInterface {
        2. public function load();
        3. }
        4. class SerializedArrayOutput 구현 OutputInterface {
        5. 공용 함수 로드() {
        6. return serialize($arrayOfData);
        7. }
        8. }
        9. class JsonStringOutput은 OutputInterface를 구현합니다. {
        10. 공용 함수 load() {
        11. return json_encode($arrayOfData);
        12. }
        13. }
        14. class ArrayOutput은 OutputInterface를 구현합니다. {
        15. public function load() {
        16. return $arrayOfData;
        17. }
        18. }
        코드 복사
        관찰자(관찰자 모드)

        다른 객체가 어떤 방식으로든 관찰자로 등록되도록 허용하여 객체를 관찰 가능하게 만들 수 있습니다. 관찰된 객체가 변경될 때마다 관찰자에게 메시지가 전송됩니다.

        1. 인터페이스 관찰자 {
        2. 함수 onChanged($sender, $args);
        3. }
        4. interface Observable {
        5. function addObserver($observer);
        6. }
        7. class CustomerList는 Observable을 구현합니다. {
        8. private $_observers = array();
        9. public function addCustomer( $name) {
        10. foreach($this->_observers as $obs)
        11. $obs->onChanged($this, $name);
        12. }
        13. 공개 함수 addObserver( $observer) {
        14. $this->_observers []= $observer;
        15. }
        16. }
        17. class CustomerListLogger는 Observer를 구현합니다. {
        18. 공개 함수 onChanged($sender, $args ) {
        19. echo( "'$args' 고객이 목록 n에 추가되었습니다." );
        20. }
        21. }
        22. $ul = new UserList();
        23. $ul ->addObserver( new CustomerListLogger() );
        24. $ul->addCustomer( "Jack" );
        코드 복사
        책임 사슬(책임 사슬) 모델 )

        이 모드에는 제어 체인 모드라는 또 다른 이름이 있습니다. 이는 주로 특정 명령에 대한 일련의 프로세서로 구성됩니다. 각 쿼리는 프로세서에 의해 형성된 책임 체인에 전달됩니다. 각 교차점에서 프로세서는 해당 쿼리에 응답하고 처리해야 하는지 여부를 결정합니다. 프로세서가 요청을 처리할 수 있는 동안 각 핸들러는 일시 중지됩니다.

        1. 인터페이스 명령 {
        2. function onCommand($name, $args);
        3. }
        4. class CommandChain {
        5. private $_commands = array();
        6. public function addCommand($cmd) {
        7. $this->_commands[]= $cmd;
        8. }
        9. 공용 함수 runCommand($name, $args) {
        10. foreach($this->_commands as $cmd) {
        11. if ($cmd->onCommand($name, $args))
        12. return;
        13. }
        14. }
        15. }
        16. class CustCommand는 Command {
        17. public function onCommand($name, $args) {
        18. if ($name ! = 'addCustomer')
        19. return false;
        20. echo("'addCustomer'n을 처리하는 CustomerCommand입니다.");
        21. return true;
        22. }
        23. }
        24. class MailCommand Implements Command {
        25. public function onCommand($name, $args) {
        26. if ($name != 'mail')
        27. return false;
        28. echo("이것은 'mail'n을 처리하는 MailCommand입니다. ");
        29. 반환 true;
        30. }
        31. }
        32. $cc = new CommandChain();
        33. $cc->addCommand( new CustCommand());
        34. $cc->addCommand( new MailCommand());
        35. $cc->runCommand('addCustomer', null);
        36. $cc->runCommand('mail', null);
        코드 복사
PHP


성명:
본 글의 내용은 네티즌들의 자발적인 기여로 작성되었으며, 저작권은 원저작자에게 있습니다. 본 사이트는 이에 상응하는 법적 책임을 지지 않습니다. 표절이나 침해가 의심되는 콘텐츠를 발견한 경우 admin@php.cn으로 문의하세요.