Home Backend Development PHP Tutorial The first intimate contact with PHP5(1)_PHP tutorial

The first intimate contact with PHP5(1)_PHP tutorial

Jul 21, 2016 pm 04:10 PM
php5 article source translate


Article source: PHPBuilder.com
Original author: Luis Argerich
Translation: erquan
erquan Note: I haven’t had time to experience PHP5 yet, so I just translated an article written by a foreigner.
The following are all translated by erquan. I hope this is the first time I have done this and it has not misled anyone. Please understand some inaccuracies.
Let’s see if this works. If it works, I’ll finish the translation. If it doesn’t, I’ll just translate it, so as not to mislead everyone, which is also tiring. . . . :)
Please indicate the source of the article when reposting, thank you:)


The official version of PHP5 has not been released yet, but we can learn and experience the new PHP features brought to us by the development version .
This article will focus on the following 3 new PHP5 features:
* New Object Mode
* Structured Exception Handling
* Namespace

Before officially starting, please note:
*Some examples in the article are implemented using PHP4, just to enhance the readability of the article
*The new features described in this article may be different from the features of the official version, please refer to the official version.

* New Object Mode

The new object mode of PHP5 has been greatly "upgraded" based on PHP4. You will look a lot like JAVA: (.
Some of the following text will do it Some brief introductions, with small examples to help you start experiencing the new features of PHP5
come on~~:)

* Constructors and destructors
* Object references
* Clone object
* 3 modes of objects: private, public and protected
* Interface
* Virtual class
* __call()
* __set() and __get()
* Static members

Constructor and destructor

In PHP4, a function with the same name as a class is defaulted to the constructor of the class, and there is no concept of a destructor in PHP4. (Erquan's note: This is the same as JAVA)
But starting from PHP5, the constructor is uniformly named __construct, and there is a destructor: __destruct (Erquan's note: This is the same as Delphi. It can be seen that PHP5 Congratulations for absorbing many mature OO ideas~~):
Example 1: Constructor and destructor

class foo {
var $ x;

function __construct($x) {
$this->x = $x;
}

function display() {
print($this ->x);
}

function __destruct() {
print("bye bye");
}
}

$o1 = new foo(4);
$o1->display();
?>

After running, you will see "bye bye" output. This is because the class terminates The __destruct() destructor was called~~

Object reference

As you know, in PHP4, when passing a variable to a function or method, a copy is actually passed, unless you use the address operator & to declare
You are making a reference to a variable. In PHP5, objects are always specified by reference:
Example 2: Object reference

class foo {
var $x;

function setX($x) {
$this->x = $x;
}

function getX() {
return $this->x;
}
}

$o1 = new foo;
$o1->setX(4);
$o2 = $o1;
$o1->setX( 5);
if($o1->getX() == $o2->getX()) print("Oh my god!");
?>

( Erquan's note: You will see the output of "Oh my god!")
Clone object

is as above. What should I do if sometimes I don’t want to get a reference to the object and want to use copy? Implemented in the __clone method provided by PHP5:
Example 3: Clone object

class foo {
var $x;

function setX( $x) {
$this->x = $x;
}

function getX() {
return $this->x;
}
}

$o1 = new foo;
$o1->setX(4);
$o2 = $o1->__clone();
$o1->setX (5);

if($o1->getX() != $o2->getX()) print("Copies are independant");
?>

The method of cloning objects has been used in many languages, so you don’t have to worry about its performance :).

Private, Public and Protected

In PHP4, you can operate any of its methods and variables from outside the object - because the methods and variables are public.Three modes are cited in PHP5 to control
control permissions on variables and methods: Public (public), Protected (protected) and Private (private)

Public: methods and variables can be used anywhere When accessed
Private: can only be accessed inside the class, nor can it be accessed by subclasses
Protected: can only be accessed inside the class or subclasses

Example 4: Public, protected and private

class foo {
private $x;

public function public_foo() {
print("I'm public ");
}

protected function protected_foo() {
$this->private_foo(); //Ok because we are in the same class we can call private methods
print ("I'm protected");
}

private function private_foo() {
$this->x = 3;
print("I'm private");
}
}

class foo2 extends foo {
public function display() {
$this->protected_foo();
$this->public_foo( );
// $this->private_foo(); // Invalid! the function is private in the base class
}
}

$x = new foo();
$x->public_foo();
//$x->protected_foo(); //Invalid cannot call protected methods outside the class and derived classes
//$x->private_foo (); //Invalid private methods can only be used inside the class

$x2 = new foo2();
$x2->display();
?>


Tip: Variables are always private. Directly accessing a private variable is not a good OOP idea. You should use other methods to implement set/get functions


Interface

As you know, the syntax for implementing inheritance in PHP4 is "class foo extends parent". No matter in PHP4 or PHP5, multiple inheritance is not supported, that is, you can only inherit from one class. The "interface" in PHP5 is a special class: it does not specifically implement a method, but is used to define the name of the method and the elements it owns, and then reference them together through keywords to implement specific actions.

Example 5: Interface
interface displayable {
function display();
}

interface printable {
function doprint( );
}

class foo implements displayable,printable {
function display() {
// code
}

function doprint() {
// code
}
}
?>

This is very helpful for the reading and understanding of the code: when you read this class, you know that foo contains The interfaces displayable and printable are provided, and there must be print() (Erquan's note: it should be doprint()) method and display() method. You can easily manipulate them without knowing how they are implemented internally as long as you see the declaration of foo.

Virtual class

A virtual class is a class that cannot be instantiated. It can define methods and variables like a super class.
Virtual methods can also be defined in virtual classes, and this method cannot be implemented in this class, but must be implemented in its subclasses

Example 6: Virtual class

abstract class foo {
protected $x;

abstract function display();

function setX($x) {
$ this->x = $x;
}
}


class foo2 extends foo {
function display() {
}
}
?>


__call() method

In PHP5, if you define the __call() method, __call() will be automatically called when you try to access a non-existent variable or method in the class:
Example 7: __call


class foo {

function __call($name,$arguments) {
print("Did you call me ? I'm $name!");
}
}

$x = new foo();
$x->doStuff();
$x- >fancy_stuff();
?>


This particular method is customarily used to implement "method overloading" because you rely on a private parameter to implement and check this parameter:
Exampe 8: __call implements method overloading

class Magic {

function __call($name,$arguments) {
if($name= ='foo') {
if(is_int($arguments[0])) $this->foo_for_int($arguments[0]);
if(is_string($arguments[0])) $this ->foo_for_string($arguments[0]);
}
}

private function foo_for_int($x) {
print("oh an int!");
}

private function foo_for_string($x) {
print("oh a string!");
}
}

$x = new Magic();
$x->foo(3);
$x->foo("3");
?>


__set() method and __get() method

When accessing or setting an undefined variable, these two methods will be called:

Example 9: __set and __get

class foo {

function __set($name,$val) {
print("Hello, you tried to put $val in $name");
}

function __get($name) {
print("Hey you asked for $name");
}
}

$x = new foo ();
$x->bar = 3;
print($x->winky_winky);
?>

http://www.bkjia.com/PHPjc/314174.htmlwww.bkjia.comtruehttp: //www.bkjia.com/PHPjc/314174.htmlTechArticleArticle source: PHPBuilder.com Original author: Luis Argerich Translation: erquan erquan Note: I have not yet had time to experience PHP5. , just translating an article written by a foreigner. The following are all translated by erquan...
Statement of this Website
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

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

R.E.P.O. Energy Crystals Explained and What They Do (Yellow Crystal)
2 weeks ago By 尊渡假赌尊渡假赌尊渡假赌
Hello Kitty Island Adventure: How To Get Giant Seeds
1 months ago By 尊渡假赌尊渡假赌尊渡假赌
Two Point Museum: All Exhibits And Where To Find Them
1 months ago By 尊渡假赌尊渡假赌尊渡假赌

Hot Tools

Notepad++7.3.1

Notepad++7.3.1

Easy-to-use and free code editor

SublimeText3 Chinese version

SublimeText3 Chinese version

Chinese version, very easy to use

Zend Studio 13.0.1

Zend Studio 13.0.1

Powerful PHP integrated development environment

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)

What should I do if the translation web page that comes with the Edge browser is missing? What should I do if the translation web page that comes with the Edge browser is missing? Mar 14, 2024 pm 08:50 PM

The edge browser comes with a translation function that allows users to translate anytime and anywhere, which brings great convenience to users. However, many users say that the built-in translation webpage is missing. Then the edge browser automatically What should I do if the translation page I brought is missing? Let this site introduce how to restore the translated web page that comes with the Edge browser if it is missing. How to restore the translation webpage that comes with the Edge browser is missing 1. Check whether the translation function is enabled: In the Edge browser, click the three dots icon in the upper right corner, and then select the "Settings" option. On the left side of the settings page, select the Language option. Make sure "Translate&rd"

What is the difference between php5 and php8 What is the difference between php5 and php8 Sep 25, 2023 pm 01:34 PM

The differences between php5 and php8 are in terms of performance, language structure, type system, error handling, asynchronous programming, standard library functions and security. Detailed introduction: 1. Performance improvement. Compared with PHP5, PHP8 has a huge improvement in performance. PHP8 introduces a JIT compiler, which can compile and optimize some high-frequency execution codes, thereby improving the running speed; 2. Improved language structure, PHP8 introduces some new language structures and functions. PHP8 supports named parameters, allowing developers to pass parameter names instead of parameter order, etc.

How can I make money by publishing articles on Toutiao today? How to earn more income by publishing articles on Toutiao today! How can I make money by publishing articles on Toutiao today? How to earn more income by publishing articles on Toutiao today! Mar 15, 2024 pm 04:13 PM

1. How can you make money by publishing articles on Toutiao today? How to earn more income by publishing articles on Toutiao today! 1. Activate basic rights and interests: original articles can earn profits by advertising, and videos must be original in horizontal screen mode to earn profits. 2. Activate the rights of 100 fans: if the number of fans reaches 100 fans or above, you can get profits from micro headlines, original Q&A creation and Q&A. 3. Insist on original works: Original works include articles, micro headlines, questions, etc., and are required to be more than 300 words. Please note that if illegally plagiarized works are published as original works, credit points will be deducted, and even any profits will be deducted. 4. Verticality: When writing articles in professional fields, you cannot write articles across fields at will. You will not get appropriate recommendations, you will not be able to achieve the professionalism and refinement of your work, and it will be difficult to attract fans and readers. 5. Activity: high activity,

Don't worry about watching movies without subtitles! Xiaomi announces the launch of Xiaoai Translation real-time subtitles for Japanese and Korean translation Don't worry about watching movies without subtitles! Xiaomi announces the launch of Xiaoai Translation real-time subtitles for Japanese and Korean translation Jul 22, 2024 pm 02:11 PM

According to news on July 22, today, the official Weibo of Xiaomi ThePaper OS announced that Xiaoai Translation has been upgraded. Real-time subtitles have been added to Japanese and Korean translations, and subtitle-free videos and live conferences can be transcribed and translated in real time. Face-to-face simultaneous interpretation supports translation into 12 languages, including Chinese, English, Japanese, Korean, Russian, Portuguese, Spanish, Italian, French, German, Indonesian, and Hindi. The above functions currently only support the following three new phones: Xiaomi MIX Fold 4 Xiaomi MIX Flip Redmi K70 Extreme Edition It is reported that in 2021, Xiao Ai’s AI subtitles will be added to Japanese and Korean translations. AI subtitles use Xiaomi’s self-developed simultaneous interpretation technology to provide a faster, more stable and accurate subtitle reading experience. 1. According to the official statement, Xiaoai Translator can not only be used in audio and video venues

How to translate Sogou browser How to translate Sogou browser Feb 01, 2024 am 11:09 AM

How does Sogou browser translate? When we usually use Sogou browser to check information, we will encounter some websites that are all in English. Because we can’t understand English, it is very difficult to browse the website. This is also very inconvenient. It doesn’t matter if you encounter this situation! Sogou Browser has a built-in translation button. With just one click, Sogou Browser will automatically translate the entire webpage for you? If you don’t know how to operate it, the editor has compiled the specific steps on how to translate it on Sogou Browser. If you don’t know how, follow me and read on! How to translate Sogou Browser 1. Open Sogou Browser, click the translation icon in the upper right corner 2. Select the type of translation text, and then enter the text that needs to be translated 3. Sogou Browser will automatically translate the text. At this point, the above Sogou Browsing operation is completed. How to translate all contents

How to solve the problem that Google Chrome's built-in translation fails? How to solve the problem that Google Chrome's built-in translation fails? Mar 13, 2024 pm 08:46 PM

Browsers generally have built-in translation functions, so you don’t have to worry about not being able to understand when browsing foreign language websites! Google Chrome is no exception, but some users find that when they open the translation function of Google Chrome, there is no response or failure. What should they do? You can try the latest solution I found. Operation tutorial: Click the three dots in the upper right corner and click Settings. Click Add Language, add English and Chinese, and make the following settings for them. The English setting asks whether to translate web pages in this language. The Chinese setting displays web pages in this language, and Chinese must be moved to the top before it can be set as the default language. If you open the webpage and no translation option pops up, right-click and select Translate Chinese, OK.

Building a real-time translation tool based on JavaScript Building a real-time translation tool based on JavaScript Aug 09, 2023 pm 07:22 PM

Building a real-time translation tool based on JavaScript Introduction With the growing demand for globalization and the frequent occurrence of cross-border exchanges and exchanges, real-time translation tools have become a very important application. We can leverage JavaScript and some existing APIs to build a simple but useful real-time translation tool. This article will introduce how to implement this function based on JavaScript, with code examples. Implementation Steps Step 1: Create HTML Structure First, we need to create a simple HTML

Why can't Google Chrome translate Chinese? Why can't Google Chrome translate Chinese? Mar 11, 2024 pm 04:04 PM

Why can't Google Chrome translate Chinese? As we all know, Google Chrome is one of the browsers with built-in translation. When you browse pages written in other countries in this browser, the browser will automatically translate the page into Chinese. Recently, some users have said that they Chinese translation cannot be performed. At this time, we need to fix it in the settings. Next, the editor will bring you the solution to the problem that Google Chrome cannot translate into Chinese. Friends who are interested should come and take a look. Google Chrome cannot translate Chinese solutions 1. Modify the local hosts file. Hosts is a system file without an extension. It can be opened with tools such as Notepad. Its main function is to define the mapping relationship between IP addresses and host names. It is a mapping IP address

See all articles