Общественный:
Когда вы объявляете метод (функцию) или свойство (переменную) как public
, к этим методам и свойствам можно получить доступ:
- Тот же класс, который объявил это.
- Классы, которые наследуют объявленный выше класс.
- Любые посторонние элементы вне этого класса также могут получить доступ к этим вещам.
Пример:
<?php
class GrandPa
{
public $name='Mark Henry'; // A public variable
}
class Daddy extends GrandPa // Inherited class
{
function displayGrandPaName()
{
return $this->name; // The public variable will be available to the inherited class
}
}
// Inherited class Daddy wants to know Grandpas Name
$daddy = new Daddy;
echo $daddy->displayGrandPaName(); // Prints 'Mark Henry'
// Public variables can also be accessed outside of the class!
$outsiderWantstoKnowGrandpasName = new GrandPa;
echo $outsiderWantstoKnowGrandpasName->name; // Prints 'Mark Henry'
Защищено:
Когда вы объявляете метод (функцию) или свойство (переменную) как protected
, эти методы и свойства могут быть доступны с помощью
- Тот же класс, который объявил это.
- Классы, которые наследуют объявленный выше класс.
Члены посторонних не могут получить доступ к этим переменным. «Аутсайдеры» в том смысле, что они не являются экземплярами объекта самого объявленного класса.
Пример:
<?php
class GrandPa
{
protected $name = 'Mark Henry';
}
class Daddy extends GrandPa
{
function displayGrandPaName()
{
return $this->name;
}
}
$daddy = new Daddy;
echo $daddy->displayGrandPaName(); // Prints 'Mark Henry'
$outsiderWantstoKnowGrandpasName = new GrandPa;
echo $outsiderWantstoKnowGrandpasName->name; // Results in a Fatal Error
Точная ошибка будет такой:
Неустранимая ошибка PHP: невозможно получить доступ к защищенному свойству GrandPa :: $ name
Private:
Когда вы объявляете метод (функцию) или свойство (переменную) как private
, к этим методам и свойствам можно получить доступ:
- Тот же класс, который объявил это.
Члены посторонних не могут получить доступ к этим переменным. Посторонние в том смысле, что они не являются экземплярами объекта самого объявленного класса и даже классами, которые наследуют объявленный класс.
Пример:
<?php
class GrandPa
{
private $name = 'Mark Henry';
}
class Daddy extends GrandPa
{
function displayGrandPaName()
{
return $this->name;
}
}
$daddy = new Daddy;
echo $daddy->displayGrandPaName(); // Results in a Notice
$outsiderWantstoKnowGrandpasName = new GrandPa;
echo $outsiderWantstoKnowGrandpasName->name; // Results in a Fatal Error
Точные сообщения об ошибках будут:
Примечание: неопределенное свойство: Daddy :: $ name
Неустранимая ошибка: невозможно получить доступ к частной собственности GrandPa :: $ name
Рассечение класса дедушки с использованием Отражение
Эта тема на самом деле не выходит за рамки, и я добавляю ее сюда, чтобы доказать, что рефлексия действительно мощная. Как я уже говорил в трех приведенных выше примерах, члены protected
и private
(свойства и методы) не могут быть доступны вне класса.
Однако с отражением вы можете сделать экстраординарным , даже получив доступ к protected
и private
членам вне класса!
Ну, что такое отражение?
Reflection добавляет возможность перепроектировать классы, интерфейсы,
функции, методы и расширения. Кроме того, они предлагают способы
получить комментарии к документам для функций, классов и методов.
Преамбула
У нас есть класс с именем Grandpas
и говорят, что у нас есть три свойства. Для простоты рассмотрим три дедушки с именами:
- Марк Генри
- Джон Клаш
- Уилл Джонс
Давайте сделаем их (назначим модификаторы) public
, protected
и private
соответственно. Вы очень хорошо знаете, что члены protected
и private
не могут быть доступны вне класса. Теперь давайте противоречим утверждению, используя отражение.
код
<?php
class GrandPas // The Grandfather's class
{
public $name1 = 'Mark Henry'; // This grandpa is mapped to a public modifier
protected $name2 = 'John Clash'; // This grandpa is mapped to a protected modifier
private $name3 = 'Will Jones'; // This grandpa is mapped to a private modifier
}
# Scenario 1: without reflection
$granpaWithoutReflection = new GrandPas;
# Normal looping to print all the members of this class
echo "#Scenario 1: Without reflection<br>";
echo "Printing members the usual way.. (without reflection)<br>";
foreach($granpaWithoutReflection as $k=>$v)
{
echo "The name of grandpa is $v and he resides in the variable $k<br>";
}
echo "<br>";
#Scenario 2: Using reflection
$granpa = new ReflectionClass('GrandPas'); // Pass the Grandpas class as the input for the Reflection class
$granpaNames=$granpa->getDefaultProperties(); // Gets all the properties of the Grandpas class (Even though it is a protected or private)
echo "#Scenario 2: With reflection<br>";
echo "Printing members the 'reflect' way..<br>";
foreach($granpaNames as $k=>$v)
{
echo "The name of grandpa is $v and he resides in the variable $k<br>";
}
Выход:
#Scenario 1: Without reflection
Printing members the usual way.. (Without reflection)
The name of grandpa is Mark Henry and he resides in the variable name1
#Scenario 2: With reflection
Printing members the 'reflect' way..
The name of grandpa is Mark Henry and he resides in the variable name1
The name of grandpa is John Clash and he resides in the variable name2
The name of grandpa is Will Jones and he resides in the variable name3
Распространенные заблуждения:
Пожалуйста, не путайте с приведенным ниже примером. Как вы все еще можете видеть, члены private
и protected
не могут быть доступны вне класса без использования отражения
<?php
class GrandPas // The Grandfather's class
{
public $name1 = 'Mark Henry'; // This grandpa is mapped to a public modifier
protected $name2 = 'John Clash'; // This grandpa is mapped to a protected modifier
private $name3 = 'Will Jones'; // This grandpa is mapped to a private modifier
}
$granpaWithoutReflections = new GrandPas;
print_r($granpaWithoutReflections);
Выход:
GrandPas Object
(
[name1] => Mark Henry
[name2:protected] => John Clash
[name3:GrandPas:private] => Will Jones
)
Функции отладки
print_r
, var_export
и var_dump
являются функциями отладчика . Они представляют информацию о переменной в удобочитаемой форме. Эти три функции покажут свойства protected
и private
объектов с PHP 5. Статические члены класса не будут показаны.
Дополнительные ресурсы: