PHP 中的构造函数
php小编小新为您详细解析php中的构造函数。构造函数是在实例化对象时自动调用的方法,用于初始化对象的属性。通过构造函数,可以在创建对象时传递参数并对属性进行赋值,提高代码的可读性和重用性。构造函数的命名与类名相同,且不需要手动调用,便于统一管理和维护代码。在php中,构造函数是面向对象编程的重要组成部分,深入了解并合理应用构造函数,能够提升代码的质量和效率。
我们还将使用该函数来初始化类中具有给定参数的对象的属性。
最后,我们将看到如何在子类
中启动对象并在两个类都有单独的构造函数时调用父类
构造函数。
使用 php 构造函数初始化类中的对象的属性
在下面的示例中,我们将创建一个类 Student
并使用 __construct
函数为 new Student
分配其属性。
__construct
函数减少了与使用函数 set_name()
相关的代码数量。
<code data-lang="php">php
class Student {
// Define the attributes of your class
public $name;
public $email;
// Initialize the properties of the object you want to create in this class
function __construct($name, $email) {
$this->name = $name;
$this->email = $email;
}
function get_name() {
return $this->name;
}
function get_email() {
return $this->email;
}
}
$obj = new Student("John", "john567@gmail.com");
echo $obj->get_name();
echo "";
echo $obj->get_email();
?>
登录后复制