PHP 中的 this 和 self

Olorunfemi Akinlua 2023年1月30日
  1. PHP 中的 OOP
  2. PHP 中的 thisself
PHP 中的 this 和 self

thisself 是面向对象编程 (OOP) 的组件属性。OOP 是 PHP 的一个组件特性,它是一种编程过程,而不是过程式编程,我们在其中编写执行数据操作的函数。

使用 OOP,我们可以创建同时具有数据和函数(方法)的对象。

不过,OOP 提供了一种更快、更全面的方式来使用任何支持它的语言(包括 PHP)进行编码。某些特性或属性可能很复杂,例如 thisself,并且会使使用 OOP 变得不好玩。

本文将讨论 thisself 有何不同以及如何在 PHP 中使用它们。

PHP 中的 OOP

OOP 为你的 PHP 程序提供了清晰的结构,并允许你遵循不要重复自己的流行原则。

类和方法是 PHP 中 OOP 的重要组成部分,可以使用以下代码片段轻松创建。

<?php

class Good {

    public $propertyOne;
    public $propertyTwo;
    private $propertyThree;

    function methodOne($propertyOne) {
        //
    }
}

?>

$propertyOne$propertyTwo$propertyThree 是类 Good 的属性,methodOne() 是一个方法。

我们可以使用此代码片段创建对象、OOP 的整个目标以及类和方法的原因。

$goodOne = new Good();

PHP 中的 thisself

为了扩展当前代码,我们可以创建一个方法来设置类 Good$propertyOne

class Good {

		//...

		function setGoodName($propertyOne) {
        $this->propertyOne = $propertyOne;
    }

    function showGoodName() {
        return $this->propertyOne;
    }

}

$this 关键字指的是当前对象,并且仅在类中的方法内部可用。因此,如果我们想在 PHP 代码中使用 $this,它必须在我们类的方法中。

在代码片段的情况下,$this 关键字指向当前对象,以允许我们在 Good 类中调用 $propertyOne

让我们利用我们创建的方法。

$book = new Good();
$book->setGoodName("PHP for Dummies");

echo $book->showGoodName();

代码片段的输出如下。

PHP for Dummies

让我们进一步扩展我们的 PHP 代码,并为类 Good 添加一个关于静态存储 Name 的属性,将其设为私有,并将该属性返回给 constructor

class Good {

		//...
    private static $storeName = "JK Book Store";

    function __construct()
    {
        return self::$storeName;
    }

		//...
}

self 关键字指的是当前类,并允许我们访问类和静态变量,如上面的代码片段所示。self 关键字使用范围解析运算符:: 访问或引用静态类成员。

因此,self$this 之间的一个很大区别是 self 访问静态或类变量或方法,而 $this 访问非静态和对象变量和方法。

因此,在使用 OOP 时,要知道我们在对象(类的实例)内部使用 $this,而对于类和静态属性使用 self

完整源代码:

<?php

class Good {

		// properties
    public $propertyOne;
    public $propertyTwo;
    private $propertyThree;
    private static $storeName = "JK Book Store";

		// methods
    function __construct()
    {
        return self::$storeName;
    }

    function setGoodName($propertyOne) {
        $this->propertyOne = $propertyOne;
    }

    function showGoodName() {
        return $this->propertyOne;
    }

}

// creating a object
$book = new Good();
$book->setGoodName("PHP for Dummies");

echo $book->showGoodName();

?>
Olorunfemi Akinlua avatar Olorunfemi Akinlua avatar

Olorunfemi is a lover of technology and computers. In addition, I write technology and coding content for developers and hobbyists. When not working, I learn to design, among other things.

LinkedIn

相关文章 - PHP Class