Files
DesignPatternsPHP/Behavioral/ChainOfResponsibilities/Handler.php
2019-12-14 13:41:03 +01:00

34 lines
915 B
PHP

<?php declare(strict_types=1);
namespace DesignPatterns\Behavioral\ChainOfResponsibilities;
use Psr\Http\Message\RequestInterface;
abstract class Handler
{
private ?Handler $successor = null;
public function __construct(Handler $handler = null)
{
$this->successor = $handler;
}
/**
* This approach by using a template method pattern ensures you that
* each subclass will not forget to call the successor
*/
final public function handle(RequestInterface $request): ?string
{
$processed = $this->processing($request);
if ($processed === null && $this->successor !== null) {
// the request has not been processed by this handler => see the next
$processed = $this->successor->handle($request);
}
return $processed;
}
abstract protected function processing(RequestInterface $request): ?string;
}