


In almost all object-oriented programs, one or two resources are always created and continue to be shared and used in the program application. For example, such a resource is used in the database connection of an e-commerce program: this connection is initialized when the application starts, and the program can then be executed effectively; when the program ends, the connection is eventually disconnected and destroyed. If you write the code, there is no need to create a database connection every time, which is very inefficient. Established connections should be easily reusable by your code. The question is, how would you make this database connection based on the above requirements? (Or connect to other unique resources that are recycled, such as an open file or a queue.)
Question
How do you ensure that an instance of a particular class is unique (it is the only instance of that class) and that it is easily accessible?
Solution
Of course, global variables are the obvious solution. But it's like Pandora's box (right judgment comes from experience, and wrong judgment comes from experience. That's what the proverb means.), any of your code can modify global variables, which will inevitably cause more debugging Accident. In other words, there will always be some problems with the state of global variables (here is a good description of the problems with global variable usage, http://c2.com/cgi/wiki?GlobalVariablesAreBad).
Use this pattern called Singleton when you need a unique instance of a particular class. A class based on the Singleton pattern can instantiate and initialize an instance of this class and provide absolutely the same connection every time. Generally, it is implemented using a static method named getInstance().
The key question is how to obtain an accurate and unified instance at every moment. Please see the example below:
// PHP4
Function TestGetInstance() {
$this->assertIsA(
$obj1 =& DbConn::getInstance(),
‘DbConn’,
‘The returned object is an instance of DbConn’);
$this->assertReference(
$obj1,
$obj2 =& DbConn::getInstance(),
‘Two calls to getInstance() return the same object’);
}
Comment: assertReference
The assertReference() method ensures that the two parameters passed refer to the same PHP variable.
In PHP4, it is asserted that the two tested parameters are the same object. The assertReference() method may not be recommended after being ported to PHP5.
This test method has two assertions: the first one determines that the value returned by the first call to the static method DbConn::getInstance() is an instance of the DbConn object, and the second one is used to determine the value returned by the second call to the getInstance() method. The values refer to the same object instance, which means they use the same object.
In addition to asserting the expected execution results of the code, Test also indicates the correct usage of getInstance() (PHP4): $local_conn_var=&DbConn::getInstance(). The return value of the reference (=&) static method is assigned to this local variable.
Write another piece of test code: directly using "new" to instantiate a singleton class will cause certain types of errors. The test code is as follows:
Function TestBadInstantiate() {
$obj =& new DbConn;
$this->assertErrorPattern(
‘/(bad|nasty|evil|do not|don’t|warn).*’.
‘(instance|create|new|direct)/i’);
}
This code directly creates an instance of DbConn, which will cause PHP to report an error. In order to make the code more stable, we use PCRE regular expressions to match error messages. (The exact wording of the error message displayed is not important.)
[next]
Sample code
Singleton mode is a very interesting mode. Let us explore its implementation process using PHP4 and PHP5, starting with PHP4 now.
Global approach
Theoretically, a global variable can generate a perfect singleton, but the global variable may be modified: during the running of the code, there is no guarantee that the global variable points to an object. Therefore, by not allowing global variables to be directly referenced globally, the problem of "too random access" to global variables can be reduced. For example, this code "hides" references to global variables by using a very long and unique name.
class DbConn {
Function DbConn($fromGetInstance=false) {
if (M_E != $fromGetInstance) {
trigger_error(‘The DbConn class is a Singleton,’
.’ please do not instantiate directly.’);
}
}
Function &getInstance() {
$key = ‘__some_unique_key_for_the_DbConn_instance__’;
if (!(array_key_exists($key, $GLOBALS) && is_object($GLOBALS[$key])
&& ‘dbconn’ == get_class($GLOBALS[$key]) )) {
$GLOBALS[$key] =& new DbConn(M_E);
}
return $GLOBALS[$key];
}
}
In the constructor of DbConn, you may be confused about the default parameters of $fromGetInstance. It provides (very weak) protection when the object is instantiated directly: unless the default value becomes e (M_E = 2.718281828459 in PHP's mathematical constants), this code will report an error.
Represented as a UML class diagram, the solution is as follows:

If you do not choose this "mysterious parameter" - type protection, creating a global tag is another option, and use it to verify that you created the object through the getInstance() method. The conservation approach changes from "you know its name" to "it's in the environment."
Here is an example that explains why constructor protection code has a global flag:
class DbConn {
Function DbConn() {
$token = ‘__some_DbConn_instance_create_semaphore__’;
if (!array_key_exists($token, $GLOBALS)) {
trigger_error(‘The DbConn class is a Singleton,’
.’ please do not instantiate directly.’);
}
}
Function &getInstance() {
static $instance = array();
if (!$instance) {
$token = ‘__some_DbConn_instance_create_semaphore__’;
$GLOBALS[$token] = true;
$instance[0] =& new DbConn;
unset($GLOBALS[$token]);
}
Tips
PHP4 allows you to change the value of $this in the constructor. In the past, we would be used to setting $this = null; when there is a create constructor error to ensure that the invalid object cannot be used by the code. Things that were useful in PHP4 are not compatible in PHP5 and will be proven in your code in the future. This technique is no longer recommended.
Another important point in this code is the usage of reference operation &. There are two places where you need to use &. The first one is used before the function name when defining a function to indicate that a reference will be returned. The second is to assign the new DbConn object to the $GLOBALS array. (Mentioned in the Preface and Value Objects chapter: In PHP4, you always use the & operator to create, pass and return objects by reference,)
The conditional check of the getInstance() method is often written to run without warning, even at the E_ALL error level. It checks whether there is a DbConn object at the appropriate location in the $GLOBAL array, and if not, creates the object there. This method then returns the result that the object can be created repeatedly or that the object has been created by this method before. When the method ends, you can confirm that you have a valid instance of the class and that it has been effectively initialized.
[next]
Static mode
Regarding the problem of global variables, it even exists in the global variables hidden in getInstance(). Because global variables are valid anywhere in the script, you can still corrupt the global variable without noticing,
It is a clean way to use static variables to store Singleton inside the getInstance() method. The first code snippet is as follows:
class DbConn {
// ...
Function &getInstance() {
static $instance = false;
if (!$instance) $instance =& new DbConn(M_E);
return $instance;
}
}
The Zend 1 engine cannot store references to static variables in PHP4 (see http://www.php.net/manual/en/language.variables.scope.php#AEN3609). Use a workspace to store the static array and place a reference to the singleton instance into a known array. The getInstance() method is as follows:
class DbConn {
Function DbConn($fromGetInstance=false) {
if (M_E != $fromGetInstance) {
trigger_error(‘The DbConn class is a Singleton,’
.’ please do not instantiate directly.’);
}
}
Function &getInstance() {
static $instance = array();
if (!$instance) $instance0 =& new DbConn(M_E);
return $instance0;
}
}
This code simply selects the first element of the static array $instancede to hold a reference to the single DbConns instance.
Although this code relies a bit on PHP's Boolean method, it is more rigorous than the global version: when testing conditions, using an empty array will result in false. Just like in the previous version of the DbConn class, reference operators are required in the definition and assignment parts of the function.
Singleton mode in PHP5
It is easier to implement the singleton mode in PHP5. PHP5’s access control to internal variables and functions of the class has been strengthened. By setting the DbConn::_construct() constructor to private, this class cannot be instantiated directly. Represented by UML diagram, PHP5’s DbConn singleton mode is as follows:

Use a combination of static methods and static variables to maintain this instance, and set the constructor to be private to prevent direct instantiation of the class from creating an instance. The code is as follows:
class DbConn {
/**
* static property to hold singleton instance
*/
static $instance = false;
/**
* constructor
* private so only getInstance() method can instantiate
* @return void
*/
private function __construct() {}
/**
* factory method to return the singleton instance
* @return DbConn
*/
public function getInstance() {
if (!DbConn::$instance) {
DbConn::$instance = new DbConn;
}
return DbConn::$instance;
}
}
Note: For more exciting articles, please pay attention to the Programming Tutorial column of Bangke Home.

php把负数转为正整数的方法:1、使用abs()函数将负数转为正数,使用intval()函数对正数取整,转为正整数,语法“intval(abs($number))”;2、利用“~”位运算符将负数取反加一,语法“~$number + 1”。

实现方法:1、使用“sleep(延迟秒数)”语句,可延迟执行函数若干秒;2、使用“time_nanosleep(延迟秒数,延迟纳秒数)”语句,可延迟执行函数若干秒和纳秒;3、使用“time_sleep_until(time()+7)”语句。

php除以100保留两位小数的方法:1、利用“/”运算符进行除法运算,语法“数值 / 100”;2、使用“number_format(除法结果, 2)”或“sprintf("%.2f",除法结果)”语句进行四舍五入的处理值,并保留两位小数。

php字符串有下标。在PHP中,下标不仅可以应用于数组和对象,还可应用于字符串,利用字符串的下标和中括号“[]”可以访问指定索引位置的字符,并对该字符进行读写,语法“字符串名[下标值]”;字符串的下标值(索引值)只能是整数类型,起始值为0。

判断方法:1、使用“strtotime("年-月-日")”语句将给定的年月日转换为时间戳格式;2、用“date("z",时间戳)+1”语句计算指定时间戳是一年的第几天。date()返回的天数是从0开始计算的,因此真实天数需要在此基础上加1。

在php中,可以使用substr()函数来读取字符串后几个字符,只需要将该函数的第二个参数设置为负值,第三个参数省略即可;语法为“substr(字符串,-n)”,表示读取从字符串结尾处向前数第n个字符开始,直到字符串结尾的全部字符。

方法:1、用“str_replace(" ","其他字符",$str)”语句,可将nbsp符替换为其他字符;2、用“preg_replace("/(\s|\ \;||\xc2\xa0)/","其他字符",$str)”语句。

php判断有没有小数点的方法:1、使用“strpos(数字字符串,'.')”语法,如果返回小数点在字符串中第一次出现的位置,则有小数点;2、使用“strrpos(数字字符串,'.')”语句,如果返回小数点在字符串中最后一次出现的位置,则有。


Hot AI Tools

Undresser.AI Undress
AI-powered app for creating realistic nude photos

AI Clothes Remover
Online AI tool for removing clothes from photos.

Undress AI Tool
Undress images for free

Clothoff.io
AI clothes remover

AI Hentai Generator
Generate AI Hentai for free.

Hot Article

Hot Tools

EditPlus Chinese cracked version
Small size, syntax highlighting, does not support code prompt function

SublimeText3 Linux new version
SublimeText3 Linux latest version

ZendStudio 13.5.1 Mac
Powerful PHP integrated development environment

Notepad++7.3.1
Easy-to-use and free code editor

SublimeText3 English version
Recommended: Win version, supports code prompts!
