search
HomeBackend DevelopmentPHP TutorialPHP classes and objects full analysis (1)_PHP tutorial

Full analysis of PHP classes and objects (1)

1. Classes and Objects
Object: An individual that actually exists in each physical object of this type. $a =new User(); $a
after instantiation
Quote: PHP alias, two different variable names point to the same content
Encapsulation: Organize the properties and methods of an object into a class (logical unit)
Inheritance: Create a new class based on the original class for the purpose of code reuse;
Polymorphism: allows assigning a pointer of a subclass type to a pointer of a parent class type.
----------------------------------------
2. Automatically load objects:
Automatic loading defines a special __autoload function, which is automatically called when a class that is not defined in the script is referenced.
1 [php] view plaincopyprint?
2 function __autoload($class){
3 require_once("classes/$class.class.php");
4 }
Why use __autoload
1. First of all, I don’t know where this class file is stored.
2. The other one is that I don’t know when I need to use this file.
3. Especially when there are a lot of project files, it is impossible to write a long string of require at the beginning of each file...
replaces one
require_once ("classes/Books.class.php") ;
require_once ("classes/Employees.class.php" ) ;
require_once ("classes/Events.class.php") ;
require_once ("classes/Patrons.class.php") ;
zend recommends one of the most popular methods, including the path in the file name. For example, the following example:
1 [php] view plaincopyprint?
2
3 view sourceprint?
4 // Main.class
5
6 function __autoload($class_name) {
7 $path = str_replace('_', DIRECTORY_SEPARATOR, $class_name);
8 require_once $path.'.php';
9 }  
temp = new Main_Super_Class();
All underscores will be replaced with separators in the path. In the above example, the Main/Super/Class.php file will be reached.
Disadvantages:
In the coding process, you must clearly know where the code file should be,
And since the file path is hard-coded in the class name, if we need to modify the folder structure, we must manually modify all class names.
If you are in a development environment and don't care much about speed, it is very convenient to use the 'Include All' method.
By placing all class files in one or several specific folders, and then finding and loading them through traversal.
For example
$arr = array (
'Project/Classes',
'Project/Classes/Children',
'Project/Interfaces'
);
foreach($arr as $dir) {
$dir_list = opendir($dir);
while ($file = readdir($dir_list)) {
$path = $dir.DIRECTORY_SEPARATOR.$file;
                                                                                                                                             
continue;
if (strpos($file, ".class.php"))
require_once $path;
                                                              
}
?>
Another method is to establish an associated configuration file between the class file and its location, for example:
view sourceprint?
// configuration.php
array_of_associations = array(
'MainSuperClass' = 'C:/Main/Super/Class.php',
'MainPoorClass' = 'C:/blablabla/gy.php'
);
Called file
require 'autoload_generated.php';
function __autoload($className) {
global $autoload_list;
require_once $autoload_list[$className];
} }
$x = new A();
?>
-------------------------------------------------- -
3. Constructor and destructor
PHP constructor __construct() allows the constructor to be executed before instantiating a class.
Constructor is a special method in a class. When using the new operator to create an instance of a class, the constructor will be automatically called, and its name must be __construct().
(Only one constructor can be declared in a class, but the constructor will only be called once every time an object is created. This method cannot be called actively,
So it is usually used to perform some useful initialization tasks. This method has no return value. )
Function: Used to initialize objects when creating objects
The subclass executes the classified constructor parent::__construct().
Destructor: __destruct () definition: special internal member function, no return type, no parameters, cannot be called at will, and no overloading;
It’s just that when the life of the class object ends, the system automatically calls to release the resources allocated in the constructor.
Corresponding to the constructor method is the destructor method. The destructor method allows you to perform some operations or complete some functions before destroying a class, such as closing files, releasing result sets, etc.
The destructor cannot take any parameters and its name must be __destruct().
Function: Clean up the aftermath work, for example, use new to open up a memory space when creating an object, and use the destructor to release the resources allocated in the constructor before exiting.
Example:
class Person {
public $name;
public $age;
//Define a constructor initialization assignment
public function __construct($name,$age) {
$this->name=$name;
$this->age=$age;
} }
public function say() {
echo "my name is :".$this->name."
";
echo "my age is :".$this->age;
} }
//Destructor
function __destruct()
{
echo "goodbye:".$this->name;
} }
}
$p1=new Person("ren", 25);
$p1->say();
-------------------------------------------------- ----------------
4. Access control
Access control of properties or methods is achieved by adding the keywords public, protected or private in front
Class members defined by public can be accessed from anywhere;
Class members defined by protected can be accessed by subclasses and parent classes of the class in which they are located (of course, the class in which the member is located can also be accessed);
Class members defined as private can only be accessed by the class in which they are located.
Access control on class members
Class members must be defined using the keywords public, protected or private
Access control on methods
Methods in a class must be defined using the keywords public, protected or private. If these keywords are not set, the method will be set to the default public.
Example:
class MyClass
{
public $public = 'Public';
protected $protected = 'Protected';
private $private = 'Private';
function printHello()
{
echo $this->public;
echo $this->protected;
echo $this->private;
}
}
$obj = new MyClass();
echo $obj->public; // This line can be executed normally
echo $obj->protected; // This line will generate a fatal error
echo $obj->private; // This line will also generate a fatal error
$obj->printHello(); // Output Public, Protected and Private
-------------------------------------------------- ---------------
5. Object inheritance
Inheritance definition: Create a new class based on the original class for the purpose of code reuse;
-------------------------------------
Overwriting is used in object inheritance
Overloading is a method with the same method name but different parameters in a single object
-------------------------------------
Inheritance is a well-known programming feature, and PHP’s object model also uses inheritance. Inheritance will affect the relationship between classes and objects, and between objects.
For example, when extending a class, the subclass will inherit all the public and protected methods of the parent class. But the methods of the subclass will override the methods of the parent class.
Inheritance is very useful for functional design and abstraction, and adding new functions to similar objects eliminates the need to rewrite these common functions.
class Person {
public $name;
public $age;
function say() {
echo "my name is:".$this->name."
";
echo "my age is:".$this->age;
} }
}
// Class inheritance
class Student extends Person {
var $school; //Attributes of the school where the student is located
function study() {
echo "my name is:".$this->name."
";
echo "my school is:".$this->school;
                                                                        
}
$t1 = new Student();
$t1->name = "zhangsan";
$t1->school = "beijindaxue";
$t1->study();
------ --------- ------ --------- -------- -----
6. Range parsing operator (::)
The scope resolution operator (also known as Paamayim Nekudotayim) or more simply a pair of colons can be used to access static members, methods and constants, and can also be used to override members and methods in a class.
When accessing these static members, methods and constants outside the class, the class name must be used.
The two special keywords self and parent are used to access members or methods inside the class.
Note:
When a subclass overrides a method in its parent class, PHP will no longer execute the overridden methods in the parent class until these methods are called in the subclass
Example:
class OtherClass extends MyClass
{
public static $my_static = 'static var';
public static function doubleColon() {
echo parent::CONST_VALUE . "n";
echo self::$my_static . "n";
} }
}
OtherClass::doubleColon();
?>

www.bkjia.comtruehttp: //www.bkjia.com/PHPjc/934463.htmlTechArticleFull Analysis of PHP Classes and Objects (1) 1. Classes and Objects: The actual existence of each thing of this type physical entity. $a =new User(); Reference to $a after instantiation: php alias, two different...
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
使用PHP的json_encode()函数将数组或对象转换为JSON字符串使用PHP的json_encode()函数将数组或对象转换为JSON字符串Nov 03, 2023 pm 03:30 PM

JSON(JavaScriptObjectNotation)是一种轻量级的数据交换格式,已经成为Web应用程序之间数据交换的常用格式。PHP的json_encode()函数可以将数组或对象转换为JSON字符串。本文将介绍如何使用PHP的json_encode()函数,包括语法、参数、返回值以及具体的示例。语法json_encode()函数的语法如下:st

源码探秘:Python 中对象是如何被调用的?源码探秘:Python 中对象是如何被调用的?May 11, 2023 am 11:46 AM

楔子我们知道对象被创建,主要有两种方式,一种是通过Python/CAPI,另一种是通过调用类型对象。对于内置类型的实例对象而言,这两种方式都是支持的,比如列表,我们即可以通过[]创建,也可以通过list(),前者是Python/CAPI,后者是调用类型对象。但对于自定义类的实例对象而言,我们只能通过调用类型对象的方式来创建。而一个对象如果可以被调用,那么这个对象就是callable,否则就不是callable。而决定一个对象是不是callable,就取决于其对应的类型对象中是否定义了某个方法。如

使用Python的__contains__()函数定义对象的包含操作使用Python的__contains__()函数定义对象的包含操作Aug 22, 2023 pm 04:23 PM

使用Python的__contains__()函数定义对象的包含操作Python是一种简洁而强大的编程语言,提供了许多强大的功能来处理各种类型的数据。其中之一是通过定义__contains__()函数来实现对象的包含操作。本文将介绍如何使用__contains__()函数来定义对象的包含操作,并且给出一些示例代码。__contains__()函数是Pytho

使用Python的__le__()函数定义两个对象的小于等于比较使用Python的__le__()函数定义两个对象的小于等于比较Aug 21, 2023 pm 09:29 PM

标题:使用Python的__le__()函数定义两个对象的小于等于比较在Python中,我们可以通过使用特殊方法来定义对象之间的比较操作。其中之一就是__le__()函数,它用于定义小于等于比较。__le__()函数是Python中的一个魔法方法,并且是一种用于实现“小于等于”操作的特殊函数。当我们使用小于等于运算符(<=)比较两个对象时,Python

详解Javascript对象的5种循环遍历方法详解Javascript对象的5种循环遍历方法Aug 04, 2022 pm 05:28 PM

Javascript对象如何循环遍历?下面本篇文章给大家详细介绍5种JS对象遍历方法,并浅显对比一下这5种方法,希望对大家有所帮助!

Python中如何使用getattr()函数获取对象的属性值Python中如何使用getattr()函数获取对象的属性值Aug 22, 2023 pm 03:00 PM

Python中如何使用getattr()函数获取对象的属性值在Python编程中,我们经常会遇到需要获取对象属性值的情况。Python提供了一个内置函数getattr()来帮助我们实现这个目标。getattr()函数允许我们通过传递对象和属性名称作为参数来获取该对象的属性值。本文将详细介绍getattr()函数的用法,并提供实际的代码示例,以便更好地理解。g

使用Python的isinstance()函数判断对象是否属于某个类使用Python的isinstance()函数判断对象是否属于某个类Aug 22, 2023 am 11:52 AM

使用Python的isinstance()函数判断对象是否属于某个类在Python中,我们经常需要判断一个对象是否属于某个特定的类。为了方便地进行类别判断,Python提供了一个内置函数isinstance()。本文将介绍isinstance()函数的用法,并提供代码示例。isinstance()函数可以判断一个对象是否属于指定的类或类的派生类。它的语法如下

Python中如何使用__add__()函数定义两个对象的加法运算Python中如何使用__add__()函数定义两个对象的加法运算Aug 22, 2023 am 11:12 AM

Python中如何使用__add__()函数定义两个对象的加法运算在Python中,可以通过重载运算符来为自定义的对象添加对应的运算功能。__add__()函数是用于定义两个对象的加法运算的特殊方法之一。在本文中,我们将学习如何使用__add__()函数来实现对象的加法运算。在Python中,可以通过定义一个类来创建自定义的对象。假设我们有一个叫做"Vect

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

SublimeText3 English version

SublimeText3 English version

Recommended: Win version, supports code prompts!

SAP NetWeaver Server Adapter for Eclipse

SAP NetWeaver Server Adapter for Eclipse

Integrate Eclipse with SAP NetWeaver application server.

WebStorm Mac version

WebStorm Mac version

Useful JavaScript development tools

SublimeText3 Linux new version

SublimeText3 Linux new version

SublimeText3 Linux latest version

MinGW - Minimalist GNU for Windows

MinGW - Minimalist GNU for Windows

This project is in the process of being migrated to osdn.net/projects/mingw, you can continue to follow us there. MinGW: A native Windows port of the GNU Compiler Collection (GCC), freely distributable import libraries and header files for building native Windows applications; includes extensions to the MSVC runtime to support C99 functionality. All MinGW software can run on 64-bit Windows platforms.