Фасады
Вступление
Фасады обеспечивают "статический" интерфейс к классам, которые доступны в service container приложения. Laravel имеет множество фасадов, которые обеспечивают доступ почти ко всем возможностям фреймворка. Фасады служат "статическими прокси" к базовым классам в сервисном контейнере, обеспечивая преимущество лаконичного, экспрессивного синтаксиса при сохранении большей тестируемости и гибкости по сравнению с традиционными статическими методами.
Все фасады Laravel определены в пространстве имен Illuminate\Support\Facades
. Таким образом, мы можем легко получить доступ к такому фасаду:
Во всей документации Laravel многие примеры будут использовать фасады для демонстрации различных особенностей фреймворка.
Когда использовать фасады
Фасады имеют много преимуществ. Они обеспечивают лаконичный, запоминающийся синтаксис, который позволяет использовать функции Laravel, не запоминая длинные названия классов, которые необходимо вводить или настраивать вручную. Более того, благодаря уникальному использованию динамических методов PHP, они легко тестируются.
Тем не менее, при использовании фасадов необходимо проявлять некоторую осторожность. Основная опасность фасадов — это ползучесть по классу. Так как фасады настолько просты в использовании и не требуют внедрения, можно легко позволить Вашим классам продолжать расти и использовать много фасадов в одном классе. Используя внедрение зависимостей, этот потенциал смягчается визуальной обратной связью, которую дает вам большой конструктор, что ваш класс растет слишком большим. Поэтому, при использовании фасадов, обратите особое внимание на размер вашего класса, чтобы сфера его ответственности оставалась узкой.
При создании стороннего пакета, взаимодействующего с Laravel, лучше сделать внедрение Laravel Contracts вместо использования фасадов. Поскольку пакеты создаются вне самой Laravel, у вас не будет доступа к помощникам Laravel по тестированию фасадов.
Фасады Против Внедрения зависимостей
Одним из основных преимуществ внедрения зависимостей является возможность обмена реализациями внедряемого класса. Это полезно при тестировании, так как можно вводить имитацию или заглушку и утверждать, что различные методы были вызваны в заглушке.
Обычно невозможно имитировать или заглушить по-настоящему статический метод класса. Однако, поскольку фасады используют динамические методы для прокси вызова методов к объектам, разрешенным из сервисного контейнера, мы фактически можем тестировать фасады точно так же, как мы тестировали бы внедряемый экземпляр класса. Например, учитывая следующий маршрут:
We can write the following test to verify that the Cache::get
method was called with the argument we expected:
Facades Vs. Helper Functions
In addition to facades, Laravel includes a variety of "helper" functions which can perform common tasks like generating views, firing events, dispatching jobs, or sending HTTP responses. Many of these helper functions perform the same function as a corresponding facade. For example, this facade call and helper call are equivalent:
There is absolutely no practical difference between facades and helper functions. When using helper functions, you may still test them exactly as you would the corresponding facade. For example, given the following route:
Under the hood, the cache
helper is going to call the get
method on the class underlying the Cache
facade. So, even though we are using the helper function, we can write the following test to verify that the method was called with the argument we expected:
How Facades Work
In a Laravel application, a facade is a class that provides access to an object from the container. The machinery that makes this work is in the Facade
class. Laravel's facades, and any custom facades you create, will extend the base Illuminate\Support\Facades\Facade
class.
The Facade
base class makes use of the __callStatic()
magic-method to defer calls from your facade to an object resolved from the container. In the example below, a call is made to the Laravel cache system. By glancing at this code, one might assume that the static method get
is being called on the Cache
class:
Notice that near the top of the file we are "importing" the Cache
facade. This facade serves as a proxy to accessing the underlying implementation of the Illuminate\Contracts\Cache\Factory
interface. Any calls we make using the facade will be passed to the underlying instance of Laravel's cache service.
If we look at that Illuminate\Support\Facades\Cache
class, you'll see that there is no static method get
:
Instead, the Cache
facade extends the base Facade
class and defines the method getFacadeAccessor()
. This method's job is to return the name of a service container binding. When a user references any static method on the Cache
facade, Laravel resolves the cache
binding from the service container and runs the requested method (in this case, get
) against that object.
Real-Time Facades
Using real-time facades, you may treat any class in your application as if it were a facade. To illustrate how this can be used, let's examine an alternative. For example, let's assume our Podcast
model has a publish
method. However, in order to publish the podcast, we need to inject a Publisher
instance:
Injecting a publisher implementation into the method allows us to easily test the method in isolation since we can mock the injected publisher. However, it requires us to always pass a publisher instance each time we call the publish
method. Using real-time facades, we can maintain the same testability while not being required to explicitly pass a Publisher
instance. To generate a real-time facade, prefix the namespace of the imported class with Facades
:
When the real-time facade is used, the publisher implementation will be resolved out of the service container using the portion of the interface or class name that appears after the Facades
prefix. When testing, we can use Laravel's built-in facade testing helpers to mock this method call:
Facade Class Reference
Below you will find every facade and its underlying class. This is a useful tool for quickly digging into the API documentation for a given facade root. The service container binding key is also included where applicable.
Facade | Class | Service Container Binding |
App |
| |
Artisan |
| |
Auth |
| |
Auth (Instance) |
| |
Blade |
| |
Broadcast | ||
Broadcast (Instance) | ||
Bus | ||
Cache |
| |
Cache (Instance) |
| |
Config |
| |
Cookie |
| |
Crypt |
| |
DB |
| |
DB (Instance) |
| |
Event |
| |
File |
| |
Gate | ||
Hash |
| |
Http | ||
Lang |
| |
Log |
| |
| ||
Notification | ||
Password |
| |
Password (Instance) |
| |
Queue |
| |
Queue (Instance) |
| |
Queue (Base Class) | ||
Redirect |
| |
Redis |
| |
Redis (Instance) |
| |
Request |
| |
Response | ||
Response (Instance) | ||
Route |
| |
Schema | ||
Session |
| |
Session (Instance) |
| |
Storage |
| |
Storage (Instance) |
| |
URL |
| |
Validator |
| |
Validator (Instance) | ||
View |
| |
View (Instance) |
Last updated