search
HomeBackend DevelopmentPHP TutorialImprovements in PHP5/ZendEngine2_PHP Tutorial
Improvements in PHP5/ZendEngine2_PHP TutorialJul 21, 2016 pm 04:11 PM
phpphp5deal withobjectImproveModelofpartrewrite


New Object Model
The object handling part in PHP has been completely rewritten with better performance and more features. In previous versions of PHP, objects were treated as primitive simple types
(such as integer and string). The disadvantage of this approach is that when variables are assigned or passed as parameters, a copy of the object is obtained. In the new version,
objects are referenced through handles, not through the object's value (the handle is imagined as the identifier of the object).
Many PHP programmers may not be aware of the "copying quirks" of the old object model, so most previous PHP programs will run without any changes
or with only minimal changes.

Private and protected members
PHP 5 introduces private and protected member variables, which can define visual class properties.
Example
Protected member variables can be accessed in subclasses of this class, while private member variables can only be accessed in the class to which they belong.
private $Hello = "Hello, World!n";
protected $Bar = "Hello, Foo!n";
protected $Foo = "Hello, Bar !n";
function printHello() {
print "MyClass::printHello() " . $this->Hello;
print "MyClass::printHello() " . $this-> Bar;
print "MyClass::printHello() " . $this->Foo;
}
}
class MyClass2 extends MyClass {
protected $Foo;
function printHello () {
MyClass::printHello(); /* Should print */
print "MyClass2::printHello() " . $this->Hello; /* Shouldn't print out anything */
print "MyClass2::printHello() " . $this->Bar; /* Shouldn't print (not declared)*/
print "MyClass2::printHello() " . $this->Foo ; /* Should print */
}
}
$obj = new MyClass();
print $obj->Hello; /* No content is output, the following is similar*/
print $obj->Bar; /* Shouldn't print out anything */
print $obj->Foo; /* Shouldn't print out anything */
$obj->printHello (); /* Should print */
$obj = new MyClass2();
print $obj->Hello; /* Shouldn't print out anything */
print $obj-> Bar; /* Shouldn't print out anything */
print $obj->Foo; /* Shouldn't print out anything */
$obj->printHello();
?> ;

Private and protected methods

In PHP 5 (ZEND Engine 2), private methods and protected methods were also introduced.
Example:
private function aPrivateMethod() {
echo "Foo::aPrivateMethod() called.n";
}
protected function aProtectedMethod( ) {
echo "Foo::aProtectedMethod() called.n";
$this->aPrivateMethod();
}
}
class Bar extends Foo {
public function aPublicMethod() {
echo "Bar::aPublicMethod() called.n";
$this->aProtectedMethod();
}
}
$o = new Bar;
$o->aPublicMethod();
?>
Although the user-defined classes or methods in the previous code did not define keywords such as "public," "protected" or "private", But it works without modification.

Abstract classes and methods
PHP 5 also introduces abstract classes and methods. Abstract methods only declare the "symbol" of the method without providing its implementation. A class containing abstract methods needs to be declared "abstract".
For example:

phpabstract class AbstractClass {
abstract public function test();
}
class ImplementedClass extends AbstractClass {
public function test() {
echo "ImplementedClass::test() called.n";
}
}
$o = new ImplementedClass;$o->test();
?>
Abstract classes cannot be instantiated.
Although the "abstract" keyword is not defined in the user-defined classes or methods in the old code, it can run without modification.
Interfaces
ZEND Engine 2.0 introduces interfaces. A class can implement any list of interfaces.
For example:

User in old code Although the "interface" keyword is not defined in the defined class or method, it can run normally without modification.

Class Type Hints (Class Type Hints)
While retaining the need for classes to define types, PHP 5 introduces class type hints to declare in order to pass the class of an object to a method through parameters.
For example:
a($b);$a->b ($b);?>
These class type hints are not checked at compile time like some languages ​​​​that require type definitions, but at runtime. This means:

is equivalent to:

This syntax is only used for objects or classes, not for built-in )type.

Final keyword (final)
PHP 5 introduced the "final" keyword to define members or methods that cannot be overridden in subclasses.
Example:
class Foo { final function bar() { // ... }}?>
In user-defined classes or methods in previously written code Although the "final" keyword is not defined, it can be run without modification.
Object Cloning
In PHP 4, when an object is copied, the user cannot determine which copy constructor to run. When copying, PHP 4 makes an identical copy bit by bit based on the object's properties
.
Building an exact replica every time is not always what we want. A good example of a copy constructor is when you have an object representing a GTK window, which owns all the resources for that window. When you create a copy, you may need a new window, which Has all the properties of the original window, but needs the resources of the new window. Another example is if you have a
object that references another object, and when you copy the parent object, you want to create a new instance of that referenced object so that the duplicate has a separate copy.
Copying an object is completed by calling the __clone() method of the object:
$copy_of_object = $object->__clone();
?>

When a developer requests to create a new copy of an object, the ZEND engine will check whether the __clone() method has been defined. If
is not defined, it will call a default __clone() method to copy all properties of the object. If this method is defined, it is responsible for
setting the necessary properties in the copy. For ease of use, the engine will provide a function to import all attributes from the source object, so that it can first get a copy of the source object with a value, and then only need to overwrite the attributes that need to be changed.
Example:
class MyCloneable {
static $id = 0;

function MyCloneable() {
$this->id = self: :$id++;
}

function __clone() {
$this->name = $that->name;
$this->address = "New York" ;
$this->id = self::$id++;
}
}

$obj = new MyCloneable();

$obj-> name = "Hello";
$obj->address = "Tel-Aviv";

print $obj->id . "n";

$obj = $ obj->__clone();

print $obj->id . "n";
print $obj->name . "n";
print $obj-> address . "n";
?>

Uniform construction method
The ZEND engine allows developers to define the construction method of a class. When a class with a constructor method is created, the constructor method will be called first. The constructor
method is suitable for initialization before the class is officially used.
In PHP4, the name of the constructor is the same as the class name. Due to the common practice of calling parent classes in derived classes, the way in
PHP4 is a bit awkward when classes are moved within a large class inheritance. When a derived class is moved to a parent class with a different
, the constructor name of the parent class must be different. In this case, the statements about calling the parent class constructor in the derived class need to be rewritten.
PHP5 introduces a standard way of defining constructors by calling their __construct().
Example:
class BaseClass {
function __construct() {
print "In BaseClass constructorn";
}
}

class SubClass extends BaseClass {
function __construct() {
parent::__construct();
print "In SubClass constructorn";
}
}

$obj = new BaseClass();
$obj = new SubClass();
?>

For backward compatibility, when the PHP5 class cannot find the __construct() method, the old method will be used That is, the class name
is used to find the constructor. This means that the only possible compatibility issue is if a method name called __construct() has been used in previous code.

Destruction method
It is very useful to define the destruction method. The destructor method can record debugging information, close the database connection, and do other cleanup work. There is no such mechanism in PHP 4, although PHP already supports registering functions that need to be run at the end of the request.
PHP5 introduces a destructor method similar to other object-oriented languages ​​such as Java: when the last reference to the object is cleared,
The system will call a method called __destruct before the object is released from memory. () destructor method.
Example:
class MyDestructableClass {
function __construct() {
print "In constructorn";
$this->name = "MyDestructableClass";
}

function __destruct() {
print "Destroying " . $this->name . "n";
}
}

$obj = new MyDestructableClass();
?>

Similar to the constructor method, the engine will not call the destructor method of the parent class. To call this method, you need to call the destructor method of the child
class Called through the parent::__destruct() statement.

Constant
PHP 5 introduces the definition of per-class constants:
class Foo {
const constant = "constant";
}

echo "Foo::constant = " . Foo::constant . "n";
?>
PHP5 allows expressions in constants, but expressions in constants at compile time The formula will be evaluated,
so the constant cannot change its value on the fly.
class Bar {
const a = 1const b = 1const c = a | b;
}
?>
Although the "const" keyword is not defined in the user-defined classes or methods in the previous code,
it can run without modification.

Exceptions
There is no exception handling in PHP4. PHP5 introduces an exception handling model similar to other languages.
class MyExceptionFoo extends Exception {
function __construct($exception) {
parent::__construct($exception);
}
}

try {
throw new MyExceptionFoo("Hello");
} catch (MyExceptionFoo $exception) {
print $exception->getMessage();
}
?>

Although the 'catch', 'throw' and 'try' keywords are not defined in the user-defined classes or methods in the previous code, they can run without modification
.

Function returns object value
In PHP4, it is impossible for a function to return the value of an object and make method calls on the returned object. With the emergence of Zend Engine 2
(ZEND Engine 2), the following Calling is possible:
class Circle {
function draw() {
print "Circlen";
}
}

class Square {
function draw() {
print "Squaren";
}
}

function ShapeFactoryMethod($shape) {
switch ($shape) {
case "Circle":
return new Circle();
case "Square":
return new Square();
}
}

ShapeFactoryMethod("Circle") ->draw();
ShapeFactoryMethod("Square")->draw();
?>

Static member variables in static classes can be initialized
For example:
class foo {
static $my_static = 5;
}

print foo::$my_static;
?>


Static Methods
PHP5 introduced the keyword 'static' to define a static method, which can be called from outside the object.
For example:

class Foo {
public static function aStaticMethod() {
// ...
}
}

Foo::aStaticMethod();
?>

The virtual variable $this is not valid in a method defined as static.


Instanceof

PHP5 introduced the "instanceof" keyword to determine whether an object is an instance of an object, a derivative of an object, or uses an interface.

Example:

class baseClass { }

$a = new baseClass;

if ($a instanceof basicClass) {
echo "Hello World";
}
?>



Static function variables (Static function variables)
All static variables are now being compiled This allows developers to specify static variables by reference. This change improves efficiency but means that indirect references to static variables are not possible.


Parameters passed by reference in functions are allowed to have default values
For example:

function my_function(&$var = null) {
if ($var === null) {
die("$var needs to have a value");
}
}
?>


__autoload()


When initializing an undefined class, the __autoload() interceptor function will be automatically called
. The class name will be passed to the __autoload() interception function as the only parameter.
For example:
function __autoload($className) {
include_once $className . ".php";
}

$object = new ClassName;
?>


Overloading of method and attribute calls
All method calls and attribute accesses can be overloaded using the __call(), __get() and __set() methods load.

Example: __get() and __set()
class Setter {
public $n;
public $x = array("a" => ; 1, "b" => 2, "c" => 3);

function __get($nm) {
print "Getting [$nm]n";

if (isset($this->x[$nm])) {
$r = $this->x[$nm];
print "Returning: $rn";
return $r;
} else {
print "Nothing!n";
}
}

function __set($nm, $val) {
print "Setting [$nm] to $valn";

if (isset($this->x[$nm])) {
$this->x[$nm] = $val;
print "OK!n";
} else {
print "Not OK!n";
}
}
}

$foo = new Setter( );
$foo->n = 1;
$foo->a = 100;
$foo->a++;
$foo->z++;
var_dump ($foo);
?>



Example: __call()

class Caller {
var $x = array(1, 2, 3);

function __call($m, $a) {
print "Method $m called:n";
var_dump($a);
return $this->x;
}
}

$foo = new Caller();
$a = $foo->test(1, "2", 3.4, true);
var_dump($a);
?>


www.bkjia.comtruehttp: //www.bkjia.com/PHPjc/313997.htmlTechArticleNew Object Model The object handling part in PHP has been completely rewritten with better performance and more Function. In previous versions of PHP, objects were treated as primitive simple types (such as inte...
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
php5和php8有什么区别php5和php8有什么区别Sep 25, 2023 pm 01:34 PM

php5和php8的区别在性能、语言结构、类型系统、错误处理、异步编程、标准库函数和安全性等方面。详细介绍:1、性能提升,PHP8相对于PHP5来说在性能方面有了巨大的提升,PHP8引入了JIT编译器,可以对一些高频执行的代码进行编译和优化,从而提高运行速度;2、语言结构改进,PHP8引入了一些新的语言结构和功能,PHP8支持命名参数,允许开发者通过参数名而不是参数顺序等等。

如何在技嘉主板上设置键盘启动功能 (技嘉主板启用键盘开机方式)如何在技嘉主板上设置键盘启动功能 (技嘉主板启用键盘开机方式)Dec 31, 2023 pm 05:15 PM

技嘉的主板怎么设置键盘开机首先,要支持键盘开机,一定是PS2键盘!!设置步骤如下:第一步:开机按Del或者F2进入bios,到bios的Advanced(高级)模式普通主板默认进入主板的EZ(简易)模式,需要按F7切换到高级模式,ROG系列主板默认进入bios的高级模式(我们用简体中文来示范)第二步:选择到——【高级】——【高级电源管理(APM)】第三步:找到选项【由PS2键盘唤醒】第四步:这个选项默认是Disabled(关闭)的,下拉之后可以看到三种不同的设置选择,分别是按【空格键】开机、按组

CS玩家的首选:推荐的电脑配置CS玩家的首选:推荐的电脑配置Jan 02, 2024 pm 04:26 PM

1.处理器在选择电脑配置时,处理器是至关重要的组件之一。对于玩CS这样的游戏来说,处理器的性能直接影响游戏的流畅度和反应速度。推荐选择IntelCorei5或i7系列的处理器,因为它们具有强大的多核处理能力和高频率,可以轻松应对CS的高要求。2.显卡显卡是游戏性能的重要因素之一。对于射击游戏如CS而言,显卡的性能直接影响游戏画面的清晰度和流畅度。建议选择NVIDIAGeForceGTX系列或AMDRadeonRX系列的显卡,它们具备出色的图形处理能力和高帧率输出,能够提供更好的游戏体验3.内存电

PHP5和PHP8的性能和安全性:对比和改进PHP5和PHP8的性能和安全性:对比和改进Jan 26, 2024 am 10:19 AM

PHP是一种广泛应用的服务器端脚本语言,用于开发Web应用程序。它已经发展了多个版本,而本文将主要讨论PHP5和PHP8之间的比较,特别关注其在性能和安全性方面的改进。首先让我们来看看PHP5的一些特点。PHP5是在2004年发布的,它引入了许多新的功能和特性,如面向对象编程(OOP)、异常处理、命名空间等。这些特性让PHP5变得更加强大和灵活,使得开发者能

广联达软件电脑配置推荐;广联达软件对电脑的配置要求广联达软件电脑配置推荐;广联达软件对电脑的配置要求Jan 01, 2024 pm 12:52 PM

广联达软件是一家专注于建筑信息化领域的软件公司,其产品被广泛应用于建筑设计、施工、运营等各个环节。由于广联达软件功能复杂、数据量大,对电脑的配置要求较高。本文将从多个方面详细阐述广联达软件的电脑配置推荐,以帮助读者选择适合的电脑配置处理器广联达软件在进行建筑设计、模拟等操作时,需要进行大量的数据计算和处理,因此对处理器的要求较高。推荐选择多核心、高主频的处理器,如英特尔i7系列或AMDRyzen系列。这些处理器具有较强的计算能力和多线程处理能力,能够更好地满足广联达软件的需求。内存内存是影响计算

主板上的数字音频输出接口-SPDIF OUT主板上的数字音频输出接口-SPDIF OUTJan 14, 2024 pm 04:42 PM

主板上SPDIFOUT连接线序最近我遇到了一个问题,就是关于电线的接线顺序。我上网查了一下,有些资料说1、2、4对应的是out、+5V、接地;而另一些资料则说1、2、4对应的是out、接地、+5V。最好的办法是查看你的主板说明书,如果找不到说明书,你可以使用万用表进行测量。首先找到接地,然后就可以确定其他的接线顺序了。主板vdg怎么接线连接主板的VDG接线时,您需要将VGA连接线的一端插入显示器的VGA接口,另一端插入电脑的显卡VGA接口。请注意,不要将其插入主板的VGA接口。完成连接后,您可以

PHP8.1更新:字符串动态替换函数的改进PHP8.1更新:字符串动态替换函数的改进Jul 09, 2023 pm 08:37 PM

PHP8.1更新:字符串动态替换函数的改进PHP8.1作为一种广泛使用的服务器端脚本语言,经常用于开发网站和Web应用程序。在PHP8.1的更新中,有一个重要的改进是字符串动态替换函数的改进。这个改进使得字符串的操作更加简洁和高效,提高了代码的可读性和可维护性。下面将介绍这个改进,并通过代码示例来说明其用法。在PHP8.0之前,我们使用字符串替换函数str_

PHP7改进之处:不再出现undefined报错PHP7改进之处:不再出现undefined报错Mar 04, 2024 pm 06:15 PM

PHP7改进之处:不再出现undefined报错PHP7是PHP语言的一个重大版本更新,带来了许多重要的改进和优化。其中一个显著的改进之处是在处理未定义变量时不再出现undefined报错,这为开发者带来了更好的使用体验。在PHP7之前,如果代码中使用了未定义的变量,会导致出现undefined报错,需要开发者通过手动检查或者设置错误报告级别来避免这种情况。

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 Article

Hot Tools

SublimeText3 Chinese version

SublimeText3 Chinese version

Chinese version, very easy to use

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),

ZendStudio 13.5.1 Mac

ZendStudio 13.5.1 Mac

Powerful PHP integrated development environment

Atom editor mac version download

Atom editor mac version download

The most popular open source editor

EditPlus Chinese cracked version

EditPlus Chinese cracked version

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