示例

在这个例子中,我们首先定义一个基类和一个类的扩展。基类描述了一个通用的蔬菜,它是否可食用,以及它的颜色是什么。子类 菠菜 添加了一个烹饪它的方法和另一个方法来判断它是否已经煮熟。

示例 #1 类定义

蔬菜

<?php

class Vegetable {
public
$edible;

public
$color;

public function
__construct($edible, $color = "绿色")
{
$this->edible = $edible;
$this->color = $color;
}

public function
isEdible()
{
return
$this->edible;
}

public function
getColor()
{
return
$this->color;
}
}

?>

菠菜

<?php

class Spinach extends Vegetable {
public
$cooked = false;

public function
__construct()
{
parent::__construct(true, "绿色");
}

public function
cook()
{
$this->cooked = true;
}

public function
isCooked()
{
return
$this->cooked;
}
}

?>

然后我们从这些类中实例化了 2 个对象,并打印了有关它们的信息,包括它们的类继承关系。我们还定义了一些实用函数,主要是为了对变量进行漂亮的打印。

示例 #2 test_script.php

<?php

// 注册自动加载器以加载类
spl_autoload_register();

function
printProperties($obj)
{
foreach (
get_object_vars($obj) as $prop => $val) {
echo
"\t$prop = $val\n";
}
}

function
printMethods($obj)
{
$arr = get_class_methods(get_class($obj));
foreach (
$arr as $method) {
echo
"\tfunction $method()\n";
}
}

function
objectBelongsTo($obj, $class)
{
if (
is_subclass_of($obj, $class)) {
echo
"对象属于类 " . get_class($obj);
echo
", 是 $class 的子类\n";
} else {
echo
"对象不属于 $class 的子类\n";
}
}

// 实例化 2 个对象
$veggie = new Vegetable(true, "蓝色");
$leafy = new Spinach();

// 打印有关对象的信息
echo "veggie: 类 " . get_class($veggie) . "\n";
echo
"leafy: 类 " . get_class($leafy);
echo
", 父类 " . get_parent_class($leafy) . "\n";

// 显示 veggie 属性
echo "\nveggie: 属性\n";
printProperties($veggie);

// 以及 leafy 方法
echo "\nleafy: 方法\n";
printMethods($leafy);

echo
"\n继承关系:\n";
objectBelongsTo($leafy, Spinach::class);
objectBelongsTo($leafy, Vegetable::class);

?>

上面的例子将输出

veggie: CLASS Vegetable
leafy: CLASS Spinach, PARENT Vegetable

veggie: Properties
        edible = 1
        color = blue

leafy: Methods
        function __construct()
        function cook()
        function isCooked()
        function isEdible()
        function getColor()

Parentage:
Object does not belong to a subclass of Spinach
Object belongs to class Spinach, a subclass of Vegetable

上面例子中需要注意的一点是,对象 $leafy 是类 菠菜 的实例,它是 蔬菜 的子类。

添加注释

用户贡献的注释

此页面没有用户贡献的注释。
To Top