Cross-Origin Resource Sharing (CORS) is a security feature implemented in web browsers to prevent malicious websites from accessing resources from another domain without permission. When a web application tries to make a request to a different domain (cross-origin), the browser checks if the server allows such requests.
A preflight request is a preliminary request sent by the browser to determine whether the actual request is safe to send. This happens when the request method is not a simple method (GET, POST, or HEAD) or when custom headers are used.
Authorization
, X-Custom-Header
).application/x-www-form-urlencoded
, multipart/form-data
, or text/plain
.Let’s look at a practical example to illustrate how preflight requests work.
Assume you have a web application hosted on https://example-client.com
trying to make a PUT request to an API at https://api.example-server.com/data
. The request sends a custom header and uses a non-simple method. Here’s how the preflight request would work:
Before sending the actual PUT request, the browser sends an OPTIONS
request to the server to check if the request is allowed:
OPTIONS /data HTTP/1.1
Host: api.example-server.com
Origin: https://example-client.com
Access-Control-Request-Method: PUT
Access-Control-Request-Headers: X-Custom-Header
The server must respond with appropriate CORS headers, indicating whether the actual request is allowed:
HTTP/1.1 204 No Content
Access-Control-Allow-Origin: https://example-client.com
Access-Control-Allow-Methods: PUT
Access-Control-Allow-Headers: X-Custom-Header
If the preflight request is successful, the browser sends the actual PUT request:
PUT /data HTTP/1.1
Host: api.example-server.com
Origin: https://example-client.com
X-Custom-Header: value
Content-Type: application/json
{
"key": "value"
The server responds to the PUT request as follows:
HTTP/1.1 200 OK
Content-Type: application/json
{
"status": "success"
Understanding CORS and preflight requests is crucial for developing secure web applications. By implementing proper CORS headers on your server, you ensure that your API can be accessed safely by client applications hosted on different origins.