单例模式(Singleton)

单例模式被公认为是 反面模式,为了获得更好的可测试性和可维护性,请使用『依赖注入模式』。

目的

在应用程序调用的时候,只能获得一个对象实例。

例子

  • 数据库连接
  • 日志 (多种不同用途的日志也可能会成为多例模式)
  • 在应用中锁定文件 (系统中只存在一个 …)

UML 图

file

代码

你也可以在 GitHub 中查看

Singleton.php

  1. <?php
  2. namespace DesignPatterns\Creational\Singleton;
  3. final class Singleton
  4. {
  5. /**
  6. * @var Singleton
  7. */
  8. private static $instance;
  9. /**
  10. * 通过懒加载获得实例(在第一次使用的时候创建)
  11. */
  12. public static function getInstance(): Singleton
  13. {
  14. if (null === static::$instance) {
  15. static::$instance = new static();
  16. }
  17. return static::$instance;
  18. }
  19. /**
  20. * 不允许从外部调用以防止创建多个实例
  21. * 要使用单例,必须通过 Singleton::getInstance() 方法获取实例
  22. */
  23. private function __construct()
  24. {
  25. }
  26. /**
  27. * 防止实例被克隆(这会创建实例的副本)
  28. */
  29. private function __clone()
  30. {
  31. }
  32. /**
  33. * 防止反序列化(这将创建它的副本)
  34. */
  35. private function __wakeup()
  36. {
  37. }
  38. }

测试

Tests/SingletonTest.php

  1. <?php
  2. namespace DesignPatterns\Creational\Singleton\Tests;
  3. use DesignPatterns\Creational\Singleton\Singleton;
  4. use PHPUnit\Framework\TestCase;
  5. class SingletonTest extends TestCase
  6. {
  7. public function testUniqueness()
  8. {
  9. $firstCall = Singleton::getInstance();
  10. $secondCall = Singleton::getInstance();
  11. $this->assertInstanceOf(Singleton::class, $firstCall);
  12. $this->assertSame($firstCall, $secondCall);
  13. }
  14. }