search
HomeBackend DevelopmentPHP TutorialVariables and members of PHP classes, and issues to pay attention to when inheriting, accessing and overriding

  1. class Myclass{

  2. public $prop = 123;
  3. }
  4. $obj = new Myclass();

  5. ?>< ;/p>
Copy code

The member attributes of a class (the names of attributes are relative to "methods") include class constants and class variables. Class constants cannot be empty when defined, and class attributes are in If it is assigned a value during definition, only scalars and arrays can be used, and it cannot be an expression, because class properties are initialized at compile time and PHP does not execute expressions at compile time.

1. Member access control: public: can be inherited and can be accessed outside of class methods, such as $obj->prop; protected: can be inherited, cannot be accessed outside the class method private: cannot be inherited and cannot be accessed outside the class method

PHP 4 uses var to declare class attributes. It is no longer used after PHP5. It is warned before PHP5.3. After PHP5.3, it can be used before public or used alone as an alias of public.

These three access control keywords can also modify the constructor. When private and protected modify the constructor of a class, you can only call the constructor through a publice static static method to instantiate the object, because the function cannot be used in Accessed outside the class, for example, the implementation of a singleton class:

  1. class Singleton {

  2. private static $instance=null;
  3. public $k = 88;
  4. private function __construct(){
  5. public static function getInstance(){

  6. if(self::$instance==null){
  7. self::$instance = new self();
  8. }> ;
  9. return self::$instance;

  10. }
  11. public function __clone(){ //pretend clone oprationg

  12. throw('Singleton class can not be cloned');
  13. return self::getInstance();
  14. }
  15. }
  16. //new Singleton(); // Error

  17. $in = Singleton::getInstance();
  18. ?> p>
Copy code

2. Inheritance is prohibited: final keyword, only used to modify a class or class method

If a class is modified by final, this class cannot be inherited. If a method is modified by final, this method cannot be overridden by subclasses.

  1. class Myclass{
  2. public $prop = 123;
  3. final public static function methodA(){//Non-inheritable, public static method
  4. return 'this is a final method';
  5. }
  6. }
  7. ?>
Copy code

3. Abstract classes and abstract methods: abstract is only used for classes and methods. Abstract classes cannot be used directly to instantiate objects and can only be used to generate Subclass

  1. abstract class Myclass{
  2. public $prop = 123;
  3. abstract public function methodA(); //The abstract method does not implement the function body
  4. }
  5. ?>
Copy code

4. Class constants and their access: Class constants cannot use access restriction modifiers. They are public, inheritable, and can be overridden by subclasses. Double colons must be used to access class constants::, It can be accessed using the class name or an instance of the class.

  1. class Myclass{

  2. public $prop = 123;
  3. const x =999;
  4. public static function methodA(){

  5. return 'this is a final method';
  6. }
  7. public function getConst(){

  8. return self::x; //or $this::x;
  9. }
  10. } p>
  11. $instance = new Myclass();

  12. echo Myclass::x;

  13. echo $instance::x;
  14. echo $instance->getConst();
  15. ?>
Copy code

The constant of a class is a value. The constant name is replaced by the corresponding value during code compilation and cannot be modified during runtime. Therefore, the constant of the class is related to the class itself and already exists before the object is instantiated. Therefore, the class The constants can be accessed directly using the class name.

  1. {

  2. const m=200;
  3. public function getPConst(){
  4. return parent::n;
  5. }
  6. }
  7. $p = new P();

  8. $s = new S( );
  9. echo $p::n; //100
  10. echo $s::n; //200 This constant name is inherited from the parent class and replaced with the value of self::m at compile time. Pay attention to the method of distinguishing the class. Use self::m
  11. echo $s->getPConst(); //100

  12. ?>
  13. Copy code
5, class Static members and access

static can modify the attributes and methods of a class. Members modified by static belong to the class and not to instances of the class. Static members must be accessed using the class name plus double colon:: because static members exist before the object is instantiated. Therefore, within a static method, it is forbidden to use the pseudo variable $this (or commonly known as the $this pointer) pointing to the instance itself. The keyword self can be used instead of the class name (equivalent to the magic constant __CLASS__ of the class). static cannot be used to modify the constructor of a class, nor can it be used to modify methods declared in an interface.

class Myclass{

    public static $x = 99;
  1. public function getX(){

  2. return self::$x ;
  3. }
  4. }
  5. echo Myclass::x; //99

  6. ?>
  7. Copy code
Static members can use access control keywords Modification can be inherited and overridden. It should be noted that if a subclass inherits the static method of the parent class (without overriding the method), then the subclass actually calls the static method of the parent class. Because the static member holder is a class rather than an object, multiple instances of the class share the same static property. Modifying the static property in one instance will affect the static property in another instance:

class A{

    public static $a1 = 11;

  1. public $a2 = 22;
  2. < ;p> public static function showStatic(){
  3. return self::$a1;
  4. }
  5. public function getStatic(){

  6. return self::$a1;
  7. }> ;
  8. public function getClassStatic(){

  9. $className = get_called_class();
  10. return $className::$a1;
  11. }
  12. public function getProp(){

  13. return $ this->a2;
  14. }
  15. }
  16. class B extends A{

  17. public static $a1 = 88;
  18. public $a2 = 99;
  19. }
  20. $obj1 = new A();
  21. $obj2 = new B();
  22. echo A::showStatic(); //11

  23. echo $obj1->getStatic() ; //11
  24. echo $obj1->getClassStatic(); //11
  25. echo $obj1->getProp(); //22
  26. echo B::showStatic(); / /11 What is called is the method of the parent class, and accesses the static members of the parent class

  27. echo $obj2->getStatic(); //11 What is called is the method of the parent class, and self in the method points to the class that holds the static method
  28. echo $obj2->getClassStatic(); //88
  29. echo $obj2->getProp(); //99
  30. ?>
  31. Copy code
  32. Late static binding: In order to prevent subclasses from overriding static properties and still using inherited methods to access the static properties of the parent class, PHP5.3 adds a new syntax: late static binding, using the static keyword instead of self The keyword makes static point to the same class returned by get_called_class(), that is, the class to which the object currently calling the static method belongs. This keyword is also valid for accessing static methods.

    1. public function getClassStatic(){

    2. $className = get_called_class();
    3. return $className::$a1;
    4. }
    5. public function getClassStatic(){

    6. return static::$a1;
    7. }
    8. //For static method

    9. //In class A:
    10. public static function testStatic(){
    11. echo "

      testStatic of A

      ";
    12. }
    13. public function callStatic(){

    14. static::testStatic();
    15. }< ;/p>
    16. //In class B:

    17. public static function testStatic(){
    18. echo "

      testStatic of B

      ";
    19. }
    20. //Class B inherits class A The callStatic method can correctly access the testStatic method of the respective class.
    21. ?>
    Copy the code

    6. Several keywords in the class method that point to the class or instance $this->propName $this points to an instance of the class parent::xxx parent points to the parent class. You can access the static constants and static properties of the parent class (parent::$xxx). You cannot access the non-static properties of the parent class. You can call the methods of the parent class (cannot be private methods, regardless of whether static) self::xxx self points to the class that defines the currently called method, used to access static members and class constants static::xxx accesses the class that instantiated the instance that called the current method, and is used to access static members and tired constants. The difference between it and self is that "late static binding" is used when accessing static members.

    7. Rewriting issues in class inheritance: The access control level of overridden members cannot be narrowed. For example, public members cannot be overridden as protected Non-static members cannot be overridden as static members, and static members cannot be overridden as non-static members

    8. The methods defined in the interface must be public When a class implements interface methods, these methods must also be public and concretely implemented (cannot be abstract). Interfaces can also define interface constants, and their usage is exactly the same as class constants, but interfaces cannot define non-function members. Interfaces can be inherited from each other. The inheritance of interfaces can be multiple inheritance, separated by commas (the inheritance of subclasses and parent classes is single inheritance) A class can implement multiple interfaces, separated by commas

    1. interface Ix extends Iy,Iz{
    2. public function a();
    3. }
    4. class A implements Iy,Iz{
    5. .....
    6. }
    7. ?>
    Copy code

    9. Type constraints

    PHP’s functions (or class methods) can limit the type of parameters when declaring, but they can only be limited to array or object (class/interface). If it is limited to string type, PHP will consider it to be an object parameter of the string class. .

    If the type is qualified as an interface, the passed in parameter must be an instance of the class that implements the interface.

    When implementing interfaces and subclasses overriding parent class methods, the already qualified parameter types cannot be modified.

    When calling a method or function, if data different from the qualified parameter type is passed in, an error will be reported, but null parameters can be accepted.

    1. interface Im{

    2. public function a( classm $m);
    3. }
    4. class A implements Im{

    5. public function a ($x){ // error, parameter $x must be limited to classm type to match the definition of the interface
    6. var_dump($x);
    7. }
    8. }
    9. ?>
    Copy code


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
Working with Flash Session Data in LaravelWorking with Flash Session Data in LaravelMar 12, 2025 pm 05:08 PM

Laravel simplifies handling temporary session data using its intuitive flash methods. This is perfect for displaying brief messages, alerts, or notifications within your application. Data persists only for the subsequent request by default: $request-

cURL in PHP: How to Use the PHP cURL Extension in REST APIscURL in PHP: How to Use the PHP cURL Extension in REST APIsMar 14, 2025 am 11:42 AM

The PHP Client URL (cURL) extension is a powerful tool for developers, enabling seamless interaction with remote servers and REST APIs. By leveraging libcurl, a well-respected multi-protocol file transfer library, PHP cURL facilitates efficient execution of various network protocols, including HTTP, HTTPS, and FTP. This extension offers granular control over HTTP requests, supports multiple concurrent operations, and provides built-in security features.

Simplified HTTP Response Mocking in Laravel TestsSimplified HTTP Response Mocking in Laravel TestsMar 12, 2025 pm 05:09 PM

Laravel provides concise HTTP response simulation syntax, simplifying HTTP interaction testing. This approach significantly reduces code redundancy while making your test simulation more intuitive. The basic implementation provides a variety of response type shortcuts: use Illuminate\Support\Facades\Http; Http::fake([ 'google.com' => 'Hello World', 'github.com' => ['foo' => 'bar'], 'forge.laravel.com' =>

12 Best PHP Chat Scripts on CodeCanyon12 Best PHP Chat Scripts on CodeCanyonMar 13, 2025 pm 12:08 PM

Do you want to provide real-time, instant solutions to your customers' most pressing problems? Live chat lets you have real-time conversations with customers and resolve their problems instantly. It allows you to provide faster service to your custom

Discover File Downloads in Laravel with Storage::downloadDiscover File Downloads in Laravel with Storage::downloadMar 06, 2025 am 02:22 AM

The Storage::download method of the Laravel framework provides a concise API for safely handling file downloads while managing abstractions of file storage. Here is an example of using Storage::download() in the example controller:

PHP Logging: Best Practices for PHP Log AnalysisPHP Logging: Best Practices for PHP Log AnalysisMar 10, 2025 pm 02:32 PM

PHP logging is essential for monitoring and debugging web applications, as well as capturing critical events, errors, and runtime behavior. It provides valuable insights into system performance, helps identify issues, and supports faster troubleshoot

Explain the concept of late static binding in PHP.Explain the concept of late static binding in PHP.Mar 21, 2025 pm 01:33 PM

Article discusses late static binding (LSB) in PHP, introduced in PHP 5.3, allowing runtime resolution of static method calls for more flexible inheritance.Main issue: LSB vs. traditional polymorphism; LSB's practical applications and potential perfo

How to Register and Use Laravel Service ProvidersHow to Register and Use Laravel Service ProvidersMar 07, 2025 am 01:18 AM

Laravel's service container and service providers are fundamental to its architecture. This article explores service containers, details service provider creation, registration, and demonstrates practical usage with examples. We'll begin with an ove

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

Safe Exam Browser

Safe Exam Browser

Safe Exam Browser is a secure browser environment for taking online exams securely. This software turns any computer into a secure workstation. It controls access to any utility and prevents students from using unauthorized resources.

PhpStorm Mac version

PhpStorm Mac version

The latest (2018.2.1) professional PHP integrated development tool

SublimeText3 Chinese version

SublimeText3 Chinese version

Chinese version, very easy to use

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.

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools