search
HomeBackend DevelopmentPHP TutorialSection 15--Development of Zend Engine_PHP Tutorial

/*
+-------------------------------------------------- ----------------------------------+
| = This article is read by Haohappy>
| = Notes from the Chapter Classes and Objects
| = Translation + personal experience
| = To avoid possible unnecessary trouble, please do not reprint, thank you
| = We welcome criticisms and corrections, and hope to make progress together with all PHP enthusiasts!
| = PHP5 Research Center: http://blog.csdn.net/haohappy2004
+---------- -------------------------------------------------- ------------------+
*/
Section 15--The Development of Zend Engine
In the last section of this chapter, Zeev discusses The object model brought by the Zend engine, specifically mentioning how it differs from the model in previous versions of PHP.
When we developed PHP3 in the summer of 1997, we had no plans to make PHP object-oriented. . At that time, there were no ideas related to classes and objects. PHP3 is a purely process-oriented language. However, support for classes was added in the PHP3 alpha version on the evening of August 27, 1997. Adding a new feature to PHP, at that time only required There was very little discussion because there were too few people exploring PHP at that time. So from August 1997, PHP took the first step towards an object-oriented programming language.
Indeed, this is only the first step. Because in this There are very few relevant ideas in the design, and the support for objects is not strong enough. Using objects in this version is just a cool way to access arrays. Instead of using $foo["bar"], you can use something that looks more like Nice $foo->bar. The main advantage of the object-oriented approach is to store functionality through member functions or methods. Example 6.18 shows a typical code block. But it is not really much like the approach in Example 6.19 Different.
Listing 6.18 PHP 3 object-oriented programming Object-oriented programming in PHP3

Copy code The code is as follows:
class Example
{
var $value = "some value";
function PrintValue()
print $this-& gt;value;
}  
}
$obj = new Example();
$obj->PrintValue();
?>
Listing 6.19 PHP 3 structural programming PHP3 Structured programming in PHP3

Copy code The code is as follows:
function PrintValue($arr)
{
print $arr ["value"];
}
function CreateExample()
{
$arr["value"] = "some value";
$arr["PrintValue"] = "PrintValue ";
return $arr;
}
$arr = CreateExample();
//Use PHP's indirect reference
$arr["PrintValue"]($arr);
?>
Above we write two lines of code in the class, or explicitly pass the array to the function. But considering that there is no difference between these two options in PHP3, we can still just treat the object model as one." Syntactic whitewashing" to access arrays. People who wanted to use PHP for object-oriented development, especially those who wanted to use design patterns, quickly found that they hit a wall. Fortunately, at the time (PHP3 era) there was no Too many people want to use PHP for object-oriented development.
PHP4 changes this situation. The new version brings the concept of reference, which allows different identifiers in PHP to point to the same address in memory. This means you can use two or more names for the same variable, as in Example 6.20.
Listing 6.20 PHP 4 references References in PHP4

Copy the code The code is as follows:
$a = 5;
//$b points to the same place in memory as $a $b and $a point to the same address in memory
$b = & $a;
//we're changing $b, since $a is pointing to change $b, the address pointed to changes
//the same place - it changes too The address pointed to by $a also changes
$b = 7;
//prints 7 Output 7
print $a;
?>
Since building a network of objects pointing to each other is the basis of all object-oriented design patterns, this improvement has huge implications. While references allow for the creation of more powerful object-oriented applications, PHP's treatment of objects and other types of data the same way causes developers great pain. As any PHP4 programmer will tell you , the application will suffer from WTMA (Way Too Many Ampersands&) syndrome. If you want to build a practical application, you will feel extremely painful, look at Example 6.21 and you will understand.
Listing 6.21 Problems with objects in PHP 4 Problems using objects in PHP4
Copy code The code is as follows:
1    class MyFoo {  
2        function MyFoo()  
3        {  
4            $this->me = &$this;  
5            $this->value = 5;  
6        }  
7  
8        function setValue($val)  
9        {  
10            $this->value = $val;  
11        }  
12  
13        function getValue()  
14        {  
15            return $this->value;  
16        }  
17  
18        function getValueFromMe()  
19        {  
20            return $this->me->value;  
21        }  
22    }  
23  
24        function CreateObject($class_type)  
25        {  
26            switch ($class_type) {  
27                case "foo":  
28                    $obj = new MyFoo();  
29                    break;  
30                case "bar":  
31                    $obj = new MyBar();  
32                    break;  
33            }  
34            return $obj;  
35        }  
36  
37        $global_obj = CreateObject ("foo");  
38        $global_obj->setValue(7);  
39  
40        print "Value is " . $global_obj->getValue() . "n";  
41        print "Value is " . $global_obj->getValueFromMe() . "n";  

Let's discuss it step by step. First, there is a MyFoo class. In the constructor, we give $this->me a reference and set it
We have three other member functions: a setter the value of this->value; one returns the value of this->value; the other returns the value of this->value->me. But isn't --$this the same thing? MyFoo::getValue() Isn't it the same as the value returned by MyFoo::getValueFromMe()?
First, we call CreateObject("foo"), which will return an object of type MyFoo. Then we call MyFoo::setValue(7). Finally , we call MyFoo::getValue() and MyFoo::getValueFromMe(), expecting to get a return value of 7.
Of course, if we get 7 in any case, the above example will not be the least meaningful in this book Example. So I’m sure you’ve guessed it – we don’t get two 7s.
But what result will we get, and more importantly, why?
What we will get is 7 respectively and 5. As for why --- there are three good reasons.
First, look at the constructor. When inside the constructor, we establish a reference between this and this->me. In other words, this and this ->me is the same thing. But we are inside the constructor. When the constructor ends, PHP needs to re-create the object (result of new MyFoo, line 28) and assign it to $obj. Because the object is not treated specially, it Like any other data type, assigning X to Y means that Y is a copy of X. That is, obj will be a copy of new MyFoo, which is an object that exists in the constructor. Obj->me How about it? Because it is a reference, it still points to the original object - this. Voila-obj and obj->me are no longer the same thing - changing one of them will not change the other.
That's the first reason. There are other reasons similar to the first one. Miraculously we are going to overcome the problem of instantiating objects (line 28). Once we assign the value returned by CreateObject to global_object, we still have to hit Same problem as above - global_object will become a copy of the return value, and again, global_object and global_object->me will no longer be the same. This is the second reason.
But, in fact, we can't go that far yet Far — Once CreateObject returns $obj, we will destroy the reference (line 34). This is the third reason.
So, how do we correct this? There are two options. One is to add ampersands everywhere, just Like Example 6.22 (lines 24, 28, 31, 37). 2. If you are lucky enough to use PHP5, you can forget all the above, PHP5 will automatically consider these for you. If you want to know how PHP5 If you consider these issues, continue reading.
Listing 6.22 WTMA syndrome in PHP 4 WTMA syndrome in PHP4
Copy code The code is as follows:
1    class MyFoo {  
2        function MyFoo()  
3        {  
4            $this->me = &$this;  
5            $this->value = 2;  
6        }  
7  
8        function setValue($val)  
9        {  
10            $this->value = $val;  
11        }  
12  
13        function getValue()  
14        {  
15            return $this->value;  
16        }  
17  
18        function getValueFromMe()  
19        {  
20            return $this->me->value;  
21        }  
22    };  
23  
24        function &CreateObject($class_type)  
25        {  
26            switch ($class_type) {  
27                case "foo":  
28                    $obj =& new MyFoo();  
29                    break;  
30                case "bar":  
31                    $obj =& new MyBar();  
32                    break;  
33            }  
34            return $obj;  
35        }  
36  
37        $global_obj =& CreateObject ("foo");  
38        $global_obj->setValue(7);  
39  
40        print "Value is " . $global_obj->getValue() . "n";  
41        print "Value is " . $global_obj->getValueFromMe() . "n";  

PHP5 is the first PHP version to treat objects differently from other types of data. From a user's perspective, this proves to be very clear - in PHP5, objects are always passed by reference, while other types Data (such as integer, string, array) are all passed by value. Most notably, there is no need to use the & symbol to indicate passing objects by reference.
Object-oriented programming makes extensive use of object networks and inter-object connections. Complex relationships, these all require the use of references. In previous versions of PHP, references needed to be explicitly specified. Therefore, moving objects by reference is now the default, and objects are copied only when copying is explicitly requested, which is better than before .
How is it implemented?
Before PHP5, all values ​​were stored in a special structure called zval (Zend Value). These values ​​can be stored in simple values, such as numbers and strings. or complex values ​​such as arrays and objects. When values ​​are passed to or returned from functions, these values ​​​​are copied, creating a structure with the same content at another address in memory.
In PHP5, the values ​​​​are still Stored in a zval structure, except for objects. Objects exist in a structure called Object Store, and each object has a different ID. In Zval, the object itself is not stored, but the pointer to the object is stored. When copying a holder There is a zval structure of an object. For example, if we pass an object as a parameter to a function, we no longer copy any data. We just keep the same object pointer and notify the Object Store that this specific object now points to by another zval. Because The object itself is located in the Object Store, and any changes we make to it will affect all zval structures holding pointers to the object. This additional indirection makes PHP objects appear as if they are always passed by reference, using transparency and Efficient way.
Using PHP5, we can now go back to Example 6.21, remove all the ampersands, and everything will still work fine. When we hold a reference in the constructor (line 4) an & No symbols are needed.

www.bkjia.comtruehttp: //www.bkjia.com/PHPjc/316925.htmlTechArticle/* +--------------------- -------------------------------------------------- --------+ |=This article is Haohappy's notes from the chapter ClassesandObjects when reading CorePHP Programming |=Translation is mainly + personal...
Statement
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
The Continued Use of PHP: Reasons for Its EnduranceThe Continued Use of PHP: Reasons for Its EnduranceApr 19, 2025 am 12:23 AM

What’s still popular is the ease of use, flexibility and a strong ecosystem. 1) Ease of use and simple syntax make it the first choice for beginners. 2) Closely integrated with web development, excellent interaction with HTTP requests and database. 3) The huge ecosystem provides a wealth of tools and libraries. 4) Active community and open source nature adapts them to new needs and technology trends.

PHP and Python: Exploring Their Similarities and DifferencesPHP and Python: Exploring Their Similarities and DifferencesApr 19, 2025 am 12:21 AM

PHP and Python are both high-level programming languages ​​that are widely used in web development, data processing and automation tasks. 1.PHP is often used to build dynamic websites and content management systems, while Python is often used to build web frameworks and data science. 2.PHP uses echo to output content, Python uses print. 3. Both support object-oriented programming, but the syntax and keywords are different. 4. PHP supports weak type conversion, while Python is more stringent. 5. PHP performance optimization includes using OPcache and asynchronous programming, while Python uses cProfile and asynchronous programming.

PHP and Python: Different Paradigms ExplainedPHP and Python: Different Paradigms ExplainedApr 18, 2025 am 12:26 AM

PHP is mainly procedural programming, but also supports object-oriented programming (OOP); Python supports a variety of paradigms, including OOP, functional and procedural programming. PHP is suitable for web development, and Python is suitable for a variety of applications such as data analysis and machine learning.

PHP and Python: A Deep Dive into Their HistoryPHP and Python: A Deep Dive into Their HistoryApr 18, 2025 am 12:25 AM

PHP originated in 1994 and was developed by RasmusLerdorf. It was originally used to track website visitors and gradually evolved into a server-side scripting language and was widely used in web development. Python was developed by Guidovan Rossum in the late 1980s and was first released in 1991. It emphasizes code readability and simplicity, and is suitable for scientific computing, data analysis and other fields.

Choosing Between PHP and Python: A GuideChoosing Between PHP and Python: A GuideApr 18, 2025 am 12:24 AM

PHP is suitable for web development and rapid prototyping, and Python is suitable for data science and machine learning. 1.PHP is used for dynamic web development, with simple syntax and suitable for rapid development. 2. Python has concise syntax, is suitable for multiple fields, and has a strong library ecosystem.

PHP and Frameworks: Modernizing the LanguagePHP and Frameworks: Modernizing the LanguageApr 18, 2025 am 12:14 AM

PHP remains important in the modernization process because it supports a large number of websites and applications and adapts to development needs through frameworks. 1.PHP7 improves performance and introduces new features. 2. Modern frameworks such as Laravel, Symfony and CodeIgniter simplify development and improve code quality. 3. Performance optimization and best practices further improve application efficiency.

PHP's Impact: Web Development and BeyondPHP's Impact: Web Development and BeyondApr 18, 2025 am 12:10 AM

PHPhassignificantlyimpactedwebdevelopmentandextendsbeyondit.1)ItpowersmajorplatformslikeWordPressandexcelsindatabaseinteractions.2)PHP'sadaptabilityallowsittoscaleforlargeapplicationsusingframeworkslikeLaravel.3)Beyondweb,PHPisusedincommand-linescrip

How does PHP type hinting work, including scalar types, return types, union types, and nullable types?How does PHP type hinting work, including scalar types, return types, union types, and nullable types?Apr 17, 2025 am 12:25 AM

PHP type prompts to improve code quality and readability. 1) Scalar type tips: Since PHP7.0, basic data types are allowed to be specified in function parameters, such as int, float, etc. 2) Return type prompt: Ensure the consistency of the function return value type. 3) Union type prompt: Since PHP8.0, multiple types are allowed to be specified in function parameters or return values. 4) Nullable type prompt: Allows to include null values ​​and handle functions that may return null values.

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Tools

mPDF

mPDF

mPDF is a PHP library that can generate PDF files from UTF-8 encoded HTML. The original author, Ian Back, wrote mPDF to output PDF files "on the fly" from his website and handle different languages. It is slower than original scripts like HTML2FPDF and produces larger files when using Unicode fonts, but supports CSS styles etc. and has a lot of enhancements. Supports almost all languages, including RTL (Arabic and Hebrew) and CJK (Chinese, Japanese and Korean). Supports nested block-level elements (such as P, DIV),

VSCode Windows 64-bit Download

VSCode Windows 64-bit Download

A free and powerful IDE editor launched by Microsoft

EditPlus Chinese cracked version

EditPlus Chinese cracked version

Small size, syntax highlighting, does not support code prompt function

MantisBT

MantisBT

Mantis is an easy-to-deploy web-based defect tracking tool designed to aid in product defect tracking. It requires PHP, MySQL and a web server. Check out our demo and hosting services.

SublimeText3 Chinese version

SublimeText3 Chinese version

Chinese version, very easy to use