PHP OOP - 访问修饰符
PHP - 访问修饰符
属性和方法可以有访问修饰符,它们控制这些属性和方法在哪里可以被访问。
有三种访问修饰符
-
public
- 属性或方法可以在任何地方访问。这是默认设置 -
protected
- 属性或方法可以在类内部以及从该类派生的类中访问 -
private
- 属性或方法只能在类内部访问
在下面的例子中,我们在三个属性(name、color 和 weight)中添加了三个不同的访问修饰符。在这里,如果你尝试设置 name 属性,它会正常工作(因为 name 属性是 public 的,可以在任何地方访问)。但是,如果你尝试设置 color 或 weight 属性,将会导致致命错误(因为 color 和 weight 属性是 protected 和 private 的)
示例
<?php
class Fruit {
public $name;
protected $color;
private $weight;
}
$mango = new Fruit();
$mango->name = 'Mango'; // OK
$mango->color = 'Yellow'; // 错误
$mango->weight = '300'; // 错误
?>
在下面的例子中,我们在两个函数中添加了访问修饰符。在这里,如果你尝试调用 set_color() 或 set_weight() 函数,将会导致致命错误(因为这两个函数被认为是 protected 和 private 的),即使所有属性都是 public 的
示例
<?php
class Fruit {
public $name;
public $color;
public $weight;
function set_name($n) { // 公共函数 (默认)
$this->name = $n;
}
protected function set_color($n) { // 受保护的函数
$this->color = $n;
}
private function set_weight($n) { // 私有函数
$this->weight = $n;
}
}
$mango = new Fruit();
$mango->set_name('Mango'); // OK
$mango->set_color('Yellow'); // 错误
$mango->set_weight('300'); // 错误
?>