- Абстрактные классы в PHP
- Что такое абстрактные классы и методы в PHP?
- Объявление абстрактных классов
- Синтаксис
- Объявление абстрактных методов
- Пример
- Правила абстракции
- Не абстрактные методы в абстрактном классе
- Пример
- Пример абстрактного класса в PHP ООП
- Пример
- Как создать дочерние классы из абстрактного класса?
- Пример
- Пример
- Пример
- Заключение
- Php abstract private method
Абстрактные классы в PHP
В этом уроке, мы обсудим абстрактный класс и его особенности, связанные с объектно-ориентированными методами в PHP. Кроме того, мы изучим реализацию абстрактного класса разобрав несколько примеров.
Что такое абстрактные классы и методы в PHP?
Абстрактные классы — это классы, в которых хотя бы один метод является абстрактным. Методы, объявленные абстрактными, несут, по существу, лишь описательный смысл (имеют только имя и аргументы) и не имеют тела. Таким образом, мы не можем создавать объекты из абстрактных классов. Вместо этого нам нужно создать дочерние классы, которые добавляют код в тела методов и используют эти дочерние классы для создания объектов.
Объявление абстрактных классов
Чтобы объявить абстрактный класс, нам нужно использовать ключевое слово abstract перед именем класса:
Синтаксис
Объявление абстрактных методов
Когда вы добавляете ключевое слово abstract к объявлению метода, он становится абстрактным методом. И помните, абстрактные методы не имеют тела. Поэтому фигурные скобки <> не используются.
Пример
Правила абстракции
Когда дочерний класс наследуется от абстрактного класса, применяются следующие правила:
- Дочерний класс должен переопределить (повторно объявить) все абстрактные методы.
- Количество обязательных аргументов для методов должны быть таким же, как у абстрактного метода. Например, в приведенном выше примере myMethod2 имеет два аргумента: $name и $age . У метода myMethod2 в дочернем классе должны быть те же аргументы:
public function myMethod2($name, $age)
public function myMethod2($name, $age, $country = ‘Germany’)
public function myMethod3() : int
Видимость абстрактного метода | Видимость дочернего метода |
---|---|
public | public |
protected | protected или public, но не private |
Не абстрактные методы в абстрактном классе
Неабстрактные методы могут быть определены в абстрактном классе. Эти методы будут работать так же, как обычные методы наследования.
Любой класс даже с одним абстрактным методом должен быть объявлен абстрактным. Но абстрактный класс также может иметь неабстрактные методы, к которым дочерние классы могут обращаться и использовать их напрямую, не переопределяя их.
Давайте расширим приведенный выше пример и включим в наш класс неабстрактный метод myMethod2:
Пример
Примечание: В этом основное отличие абстрактных классов от интерфейсов. Абстрактные классы могут иметь реальные методы, а интерфейсы могут иметь только объявления методов.
Пример абстрактного класса в PHP ООП
Родительский абстрактный класс:
Пример
name = $name; > abstract public function greet() : string; > ?>
В родительском классе объявлены метод __construct и свойство $name . Итак, дочерний класс автоматически получит их. Но greet() — это абстрактный метод, который должен быть определен во всех дочерних классах, и они должны возвращать строку.
Как создать дочерние классы из абстрактного класса?
Поскольку мы не можем создавать объекты из абстрактных классов, нам необходимо создать дочерние классы, которые наследуют код абстрактного класса. Дочерние классы абстрактных классов формируются с помощью ключевого слова extends , как и любой другой дочерний класс. Они отличаются тем, что им нужно добавлять тела к абстрактным методам.
Примечание: Дочерние классы, которые наследуются от абстрактных классов, должны добавлять тела к абстрактным методам.
Давайте создадим дочерние классы и определим в них абстрактный метод, унаследованный от родителя, greet():
Пример
name; > > class Student extends Person < public function greet() : string < return "Привествую! Я - " . $this ->name; > > class Teacher extends Person < public function greet() :string < return "Здравствуйте, студенты! Я - " . $this ->name; > > ?>
Теперь мы можем создавать объекты из дочерних классов:
Пример
greet(); $student = new Student('Анна'); echo $student -> greet(); $teacher = new Teacher('Мария Ивановна'); echo $teacher -> greet(); ?>
Полный код рассмотренного примера абстрактного класса:
Пример
name = $name; > abstract public function greet() : string; > class Programmer extends Person < public function greet() : string < return "Привет Мир! Я - " . $this ->name; > > class Student extends Person < public function greet() : string < return "Привествую! Я - " . $this ->name; > > class Teacher extends Person < public function greet() :string < return "Здравствуйте, студенты! Я - " . $this ->name; > > $programmer = new Programmer('Антон'); echo $programmer -> greet(); echo "
"; $student = new Student('Анна'); echo $student -> greet(); echo "
"; $teacher = new Teacher('Мария Ивановна'); echo $teacher -> greet(); ?>
Результат выполнения кода:
Заключение
Абстрактные классы важны, когда вам строго нужны дочерние классы для определения метода. В большинстве случаев абстракция используется, когда родительский класс наследуется несколькими дочерними классами, которые имеют почти одинаковое поведение. Кликните здесь, чтобы попрактиковаться в этой теме. В следующем уроке мы вернемся к концепции абстракции, но на этот раз с использованием интерфейса.
Php abstract private method
INSIDE CODE and OUTSIDE CODE
class Item
/**
* This is INSIDE CODE because it is written INSIDE the class.
*/
public $label ;
public $price ;
>
/**
* This is OUTSIDE CODE because it is written OUTSIDE the class.
*/
$item = new Item ();
$item -> label = ‘Ink-Jet Tatoo Gun’ ;
$item -> price = 49.99 ;
?>
Ok, that’s simple enough. I got it inside and out. The big problem with this is that the Item class is COMPLETELY IGNORANT in the following ways:
* It REQUIRES OUTSIDE CODE to do all the work AND to know what and how to do it — huge mistake.
* OUTSIDE CODE can cast Item properties to any other PHP types (booleans, integers, floats, strings, arrays, and objects etc.) — another huge mistake.
Note: we did it correctly above, but what if someone made an array for $price? FYI: PHP has no clue what we mean by an Item, especially by the terms of our class definition above. To PHP, our Item is something with two properties (mutable in every way) and that’s it. As far as PHP is concerned, we can pack the entire set of Britannica Encyclopedias into the price slot. When that happens, we no longer have what we expect an Item to be.
INSIDE CODE should keep the integrity of the object. For example, our class definition should keep $label a string and $price a float — which means only strings can come IN and OUT of the class for label, and only floats can come IN and OUT of the class for price.
class Item
/**
* Here’s the new INSIDE CODE and the Rules to follow:
*
* 1. STOP ACCESS to properties via $item->label and $item->price,
* by using the protected keyword.
* 2. FORCE the use of public functions.
* 3. ONLY strings are allowed IN & OUT of this class for $label
* via the getLabel and setLabel functions.
* 4. ONLY floats are allowed IN & OUT of this class for $price
* via the getPrice and setPrice functions.
*/
protected $label = ‘Unknown Item’ ; // Rule 1 — protected.
protected $price = 0.0 ; // Rule 1 — protected.
public function getLabel () < // Rule 2 - public function.
return $this -> label ; // Rule 3 — string OUT for $label.
>
public function getPrice () < // Rule 2 - public function.
return $this -> price ; // Rule 4 — float OUT for $price.
>
public function setLabel ( $label ) // Rule 2 — public function.
/**
* Make sure $label is a PHP string that can be used in a SORTING
* alogorithm, NOT a boolean, number, array, or object that can’t
* properly sort — AND to make sure that the getLabel() function
* ALWAYS returns a genuine PHP string.
*
* Using a RegExp would improve this function, however, the main
* point is the one made above.
*/
if( is_string ( $label ))
$this -> label = (string) $label ; // Rule 3 — string IN for $label.
>
>
public function setPrice ( $price ) // Rule 2 — public function.
/**
* Make sure $price is a PHP float so that it can be used in a
* NUMERICAL CALCULATION. Do not accept boolean, string, array or
* some other object that can’t be included in a simple calculation.
* This will ensure that the getPrice() function ALWAYS returns an
* authentic, genuine, full-flavored PHP number and nothing but.
*
* Checking for positive values may improve this function,
* however, the main point is the one made above.
*/
if( is_numeric ( $price ))
$this -> price = (float) $price ; // Rule 4 — float IN for $price.
>
>
>
?>
Now there is nothing OUTSIDE CODE can do to obscure the INSIDES of an Item. In other words, every instance of Item will always look and behave like any other Item complete with a label and a price, AND you can group them together and they will interact without disruption. Even though there is room for improvement, the basics are there, and PHP will not hassle you. which means you can keep your hair!
If you have problems with overriding private methods in extended classes, read this:)
The manual says that «Private limits visibility only to the class that defines the item». That means extended children classes do not see the private methods of parent class and vice versa also.
As a result, parents and children can have different implementations of the «same» private methods, depending on where you call them (e.g. parent or child class instance). Why? Because private methods are visible only for the class that defines them and the child class does not see the parent’s private methods. If the child doesn’t see the parent’s private methods, the child can’t override them. Scopes are different. In other words — each class has a private set of private variables that no-one else has access to.
A sample demonstrating the percularities of private methods when extending classes:
abstract class base <
public function inherited () <
$this -> overridden ();
>
private function overridden () <
echo ‘base’ ;
>
>
class child extends base <
private function overridden () <
echo ‘child’ ;
>
>
$test = new child ();
$test -> inherited ();
?>
Output will be «base».
If you want the inherited methods to use overridden functionality in extended classes but public sounds too loose, use protected. That’s what it is for:)
A sample that works as intended:
abstract class base <
public function inherited () <
$this -> overridden ();
>
protected function overridden () <
echo ‘base’ ;
>
>
class child extends base <
protected function overridden () <
echo ‘child’ ;
>
>
$test = new child ();
$test -> inherited ();
?>
Output will be «child».