3

我有以下四个 PHP 文件:

1. 单例.php

<?php

class Singleton {
    private static $instance = null;

    protected function __clone() {}
    private function __construct() {}

    public static function getInstance() {
        if (self::$instance === null) {
            self::$instance = new self;
        }
        return self::$instance;
    }
}

?>

2.调试器.php

<?php

interface Debugger {
    public function debug($message);
}

?>

3.调试器Echo.php

<?php
require_once 'Singleton.php';
require_once 'Debugger.php';

class DebuggerEcho extends Singleton implements Debugger {
    public function debug($message) {
        echo $message . PHP_EOL;
    }
}

?>

4.TestSingleton.php

<?php
require_once 'DebuggerEcho.php';

$debugger = DebuggerEcho::getInstance();
$debugger->debug('Hello world');

?>

问题是,当我打电话给 line 时$debugger->debug('Hello world')。我想保留这种结构,但要避免这种(经典)信息:

Call to undefined method Singleton::debug() in TestSingleton.php.

出了什么问题?谢谢你的帮助。

4

1 回答 1

2

该表达式new self创建一个包含它的类的对象;在这里Singleton。要创建用于调用的类的对象,您可以new static改用(假设您使用的是 PHP 5.3 或更高版本):

public static function getInstance() {
    if (self::$instance === null) {
        self::$instance = new static;
    }
    return self::$instance;
}

另请参阅:什么是 new self(); 在 PHP 中是什么意思?

并不是说这个实现Singleton不是真正可重用的,因为它只支持一个实例。例如,您不能将此类Singleton用作数据库连接和记录器的基类:它只能容纳一个或另一个。

于 2013-06-08T18:10:32.470 回答