이 글은 PHP 싱글톤 모드에 대한 설명(코드 예제)을 제공합니다. 필요한 친구들이 참고할 수 있기를 바랍니다.
싱글턴 패턴은 비교적 일반적인 디자인 패턴이며 많은 프레임워크에서 볼 수 있습니다. 싱글톤 모드에서는 클래스의 인스턴스가 하나만 있도록 보장하여 인스턴스 수를 쉽게 제어하고 시스템 리소스를 절약할 수 있습니다.
<?php use \Exception; class Singleton { /** * 对象实例 * @var object / public static $instance; /** * 获取实例化对象 / public static function getInstance() { if (!self::$instance instanceof self) { self::$instance = new self(); } return self::$instance; } /** * 禁止对象直接在外部实例 / private function __construct(){} /** * 防止克隆操作 / final public function __clone() { throw new Exception('Clone is not allowed !'); } }
싱글턴 패턴은 시스템에서 여러 번 사용될 수 있습니다. 생성을 더욱 편리하게 하기 위해 일반 추상화를 구축해 볼 수 있습니다.
// SingletonFacotry.php <?php use \Exception; abstract class SingletonFacotry { /** * 对象实例数组 * @var array / protected static $instance = []; /** * 获取实例化对象 / public static function getInstance() { $callClass = static::getInstanceAccessor(); if (!array_key_exists($callClass, self::$instance)) { self::$instance[$callClass] = new $callClass(); } return self::$instance[$callClass]; } abstract protected static function getInstanceAccessor(); /** * 禁止对象直接在外部实例 / protected function __construct(){} /** * 防止克隆操作 / final public function __clone() { throw new Exception('Clone is not allowed !'); } }
// A.php <?php class A extends SingletonFactory { public $num = 0; protected static function getInstanceAccessor() { return A::class; } } $obj1 = A::getInstance(); $obj1->num++; var_dump($obj1->num); // 1 $obj2 = A::getInstance(); $obj2->num++; var_dump($obj2->num); // 2
#🎜🎜 #
위 내용은 PHP 싱글톤 모드 설명(코드 예)의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!