在PHP中,面向对象编程(OOP)的继承是通过使用关键字extends
来实现的。继承允许一个类(子类)继承另一个类(父类)的属性和方法。这样,子类可以重写或扩展父类的方法,同时还可以访问父类的属性和方法。
以下是一个简单的例子来说明如何在PHP中实现继承:
class BaseClass {
public $name;
public function setName($name) {
$this->name = $name;
}
public function getName() {
return $this->name;
}
}
extends
关键字继承父类:class DerivedClass extends BaseClass {
public $age;
public function setAge($age) {
$this->age = $age;
}
public function getAge() {
return $this->age;
}
// 重写父类的方法
public function introduce() {
return "My name is " . $this->getName() . " and I am " . $this->age . " years old.";
}
}
$person = new DerivedClass();
$person->setName("John");
$person->setAge(25);
echo $person->getName(); // 输出 "John"
echo $person->getAge(); // 输出 "25"
echo $person->introduce(); // 输出 "My name is John and I am 25 years old."
在这个例子中,DerivedClass
继承了BaseClass
的属性和方法。我们重写了introduce()
方法,并在子类中添加了新的属性$age
以及相应的方法setAge()
和getAge()
。通过这种方式,我们可以利用继承实现代码的重用和扩展。