1
|
|
|
<?php |
2
|
|
|
|
3
|
|
|
namespace App\Application\Middleware; |
4
|
|
|
|
5
|
|
|
use App\Infrastructure\Utility\Settings; |
6
|
|
|
use Psr\Http\Message\ResponseFactoryInterface; |
7
|
|
|
use Psr\Http\Message\ResponseInterface; |
8
|
|
|
use Psr\Http\Message\ServerRequestInterface; |
9
|
|
|
use Psr\Http\Server\MiddlewareInterface; |
10
|
|
|
use Psr\Http\Server\RequestHandlerInterface; |
11
|
|
|
|
12
|
|
|
/** |
13
|
|
|
* Adds Access-Control headers to the response. |
14
|
|
|
* Documentation: https://samuel-gfeller.ch/docs/API-Endpoint. |
15
|
|
|
*/ |
16
|
|
|
final class CorsMiddleware implements MiddlewareInterface |
17
|
|
|
{ |
18
|
|
|
private ?string $allowedOrigin; |
19
|
|
|
|
20
|
1 |
|
public function __construct(private readonly ResponseFactoryInterface $responseFactory, Settings $settings) |
21
|
|
|
{ |
22
|
1 |
|
$this->allowedOrigin = $settings->get('api')['allowed_origin'] ?? null; |
23
|
|
|
} |
24
|
|
|
|
25
|
1 |
|
public function process(ServerRequestInterface $request, RequestHandlerInterface $handler): ResponseInterface |
26
|
|
|
{ |
27
|
|
|
// Handle all "OPTIONS" pre-flight requests with an empty response |
28
|
|
|
// https://developer.mozilla.org/en-US/docs/Glossary/Preflight_request |
29
|
1 |
|
if ($request->getMethod() === 'OPTIONS') { |
30
|
|
|
// Skips the rest of the middleware stack and returns the response |
31
|
|
|
$response = $this->responseFactory->createResponse(); |
32
|
|
|
} else { |
33
|
|
|
// Continue with the middleware stack |
34
|
1 |
|
$response = $handler->handle($request); |
35
|
|
|
} |
36
|
|
|
// Add response headers in post-processing before the response is sent |
37
|
|
|
// https://samuel-gfeller.ch/docs/Slim-Middlewares#order-of-execution |
38
|
1 |
|
$response = $response |
39
|
1 |
|
->withHeader('Access-Control-Allow-Credentials', 'true') |
40
|
1 |
|
->withHeader('Access-Control-Allow-Origin', $this->allowedOrigin ?? '') |
41
|
1 |
|
->withHeader('Access-Control-Allow-Headers', '*') |
42
|
1 |
|
->withHeader('Access-Control-Allow-Methods', 'GET, POST, PUT, PATCH, DELETE, OPTIONS') |
43
|
1 |
|
->withHeader('Cache-Control', 'no-store, no-cache, must-revalidate, max-age=0') |
44
|
1 |
|
->withHeader('Pragma', 'no-cache'); |
45
|
|
|
|
46
|
|
|
// Handle warnings and notices, so they won't affect the CORS headers |
47
|
1 |
|
if (ob_get_contents()) { |
48
|
|
|
ob_clean(); |
49
|
|
|
} |
50
|
|
|
|
51
|
1 |
|
return $response; |
|
|
|
|
52
|
|
|
} |
53
|
|
|
} |
54
|
|
|
|