Zoeken…
Syntaxis
- $ dispatcher-> dispatch (string $ eventName, Event $ event);
- $ dispatcher-> addListener (string $ eventName, opvraagbare $ listener, int $ priority = 0);
- $ dispatcher-> addSubscriber (EventSubscriberInterface $ subscriber);
Opmerkingen
- Het is vaak het beste om een enkele instantie van EventDispatcher in uw toepassing te gebruiken die u in de objecten injecteert die gebeurtenissen moeten activeren.
- Het is best om één locatie te hebben waar u de configuratie van en gebeurtenisluisteraars aan uw EventDispatcher beheert. Het Symfony-framework maakt gebruik van de Dependency Injection Container.
- Met deze patronen kunt u eenvoudig uw gebeurtenisluisteraars wijzigen zonder de code te hoeven wijzigen van een module die gebeurtenissen verzendt.
- De ontkoppeling van gebeurtenisverzending van de configuratie van gebeurtenisluisteraar is wat de Symfony EventDispatcher zo krachtig maakt
- De EventDispatcher helpt u te voldoen aan het Open / Closed-principe.
Evenement Dispatcher Snelle start
use Symfony\Component\EventDispatcher\EventDispatcher;
use Symfony\Component\EventDispatcher\Event;
use Symfony\Component\EventDispatcher\GenericEvent;
// you may store this in a dependency injection container for use as a service
$dispatcher = new EventDispatcher();
// you can attach listeners to specific events directly with any callable
$dispatcher->addListener('an.event.occurred', function(Event $event) {
// process $event
});
// somewhere in your system, an event happens
$data = // some important object
$event = new GenericEvent($data, ['more' => 'event information']);
// dispatch the event
// our listener on "an.event.occurred" above will be called with $event
// we could attach many more listeners to this event, and they too would be called
$dispatcher->dispatch('an.event.occurred', $event);
Evenement Abonnees
use Symfony\Component\EventDispatcher\EventDispatcher;
use Symfony\Component\EventDispatcher\EventSubscriberInterface;
use Symfony\Component\EventDispatcher\Event;
$dispatcher = new EventDispatcher();
// you can attach event subscribers, which allow a single object to subscribe
// to many events at once
$dispatcher->addSubscriber(new class implements EventSubscriberInterface {
public static function getSubscribedEvents()
{
// here we subscribe our class methods to listen to various events
return [
// when anything fires a "an.event.occurred" call "onEventOccurred"
'an.event.occurred' => 'onEventOccurred',
// an array of listeners subscribes multiple methods to one event
'another.event.happened' => ['whenAnotherHappened', 'sendEmail'],
];
}
function onEventOccurred(Event $event) {
// process $event
}
function whenAnotherHappened(Event $event) {
// process $event
}
function sendEmail(Event $event) {
// process $event
}
});
Modified text is an extract of the original Stack Overflow Documentation
Licentie onder CC BY-SA 3.0
Niet aangesloten bij Stack Overflow