单例模式

2024-03-12  本文已影响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);
}

上一篇下一篇

猜你喜欢

热点阅读