美文网首页
单例模式

单例模式

作者: 该死的金箍 | 来源:发表于2024-03-12 23:03 被阅读0次

单例模式确保类只有一个实例,并提供一个全局访问点。这在需要限制一个类的实例数量时非常有用,例如数据库连接池或日志记录器。

//单例模式  私有静态属性 私有构造方法 公共静态实例
class Singleton
{
    // 保存实例的静态成员变量
    private static $instance;
    // 私有化构造函数,防止外部实例化
    private function __construct()
{
}
    //获取实例的静态方法
    public static function getInstance()
{
        //如果实例不存在,则创建一个新实例
        if (!isset(self::$instance)) {
            //静态赋值
            self::$instance = new self();
        }
        return self::$instance;
    }
    // 示例方法
    public function exampleMethod() {
        echo "This is an example method.\n";
    }
}
// 使用单例模式获取实例
$instance1 = Singleton::getInstance();
$instance2 = Singleton::getInstance();
// 验证实例是否相同
if ($instance1 === $instance2) {
    echo "Both instances are the same.\n";
} else {
    echo "Instances are different.\n";
}
// 调用示例方法
$instance1->exampleMethod();
$instance2->exampleMethod();

数据库连接举例:
<?php
class Database {
    // 保存数据库连接实例的静态成员变量
    private static $instance;
    private $connection;
    // 私有化构造函数,防止外部实例化
    private function __construct() {
        // 创建数据库连接
        $this->connection = new PDO('mysql:host=localhost;dbname=mydatabase', 'username', 'password');
        $this->connection->setAttribute(PDO::ATTR_ERRMODE, PDO::ERRMODE_EXCEPTION);
    }
    // 获取数据库连接实例的静态方法
    public static function getInstance() {
        // 如果实例不存在,则创建一个新实例
        if (!isset(self::$instance)) {
            self::$instance = new self();
        }
        // 返回数据库连接实例
        return self::$instance->getConnection();
    }
    // 获取数据库连接
    public function getConnection() {
        return $this->connection;
    }
}
// 使用单例模式获取数据库连接
$db = Database::getInstance();
// 示例查询
$stmt = $db->query('SELECT * FROM users');
while ($row = $stmt->fetch()) {
    print_r($row);
}

相关文章

  • 【设计模式】单例模式

    单例模式 常用单例模式: 懒汉单例模式: 静态内部类单例模式: Android Application 中使用单例模式:

  • Android设计模式总结

    单例模式:饿汉单例模式://饿汉单例模式 懒汉单例模式: Double CheckLock(DCL)实现单例 Bu...

  • 2018-04-08php实战设计模式

    一、单例模式 单例模式是最经典的设计模式之一,到底什么是单例?单例模式适用场景是什么?单例模式如何设计?php中单...

  • 设计模式之单例模式详解

    设计模式之单例模式详解 单例模式写法大全,也许有你不知道的写法 导航 引言 什么是单例? 单例模式作用 单例模式的...

  • Telegram开源项目之单例模式

    NotificationCenter的单例模式 NotificationCenter的单例模式分析 这种单例模式是...

  • 单例模式Java篇

    单例设计模式- 饿汉式 单例设计模式 - 懒汉式 单例设计模式 - 懒汉式 - 多线程并发 单例设计模式 - 懒汉...

  • IOS单例模式的底层原理

    单例介绍 本文源码下载地址 1.什么是单例 说到单例首先要提到单例模式,因为单例模式是单例存在的目的 单例模式是一...

  • 单例

    iOS单例模式iOS之单例模式初探iOS单例详解

  • 单例模式

    单例模式1 单例模式2

  • java的单例模式

    饿汉单例模式 懒汉单例模式

网友评论

      本文标题:单例模式

      本文链接:https://www.haomeiwen.com/subject/jjtyzdtx.html