DEV Community

Vishal Yadav
Vishal Yadav

Posted on

Handling CORS Errors in ReactJS

Cross-Origin Resource Sharing (CORS) is a security feature implemented by browsers to prevent web pages from making requests to a different domain than the one that served the web page. While this security measure protects users from malicious websites, it can sometimes cause issues for developers working with APIs in a ReactJS application. This blog will explore what CORS is, why CORS errors occur, and how to handle these errors in your ReactJS projects.

What is CORS?

CORS stands for Cross-Origin Resource Sharing. It allows web applications to make requests to domains other than the one that served the web page. For instance, if your React application is running on http://localhost:3000, and it needs to fetch data from an API running on http://api.example.com, CORS must be configured correctly on the server to allow this cross-origin request.

Why CORS Errors Occur

CORS errors occur when the server does not include the correct headers in the response to allow the browser to make a request from a different origin. The browser will block the request, and you will see an error in the console similar to:

Access to fetch at 'http://api.example.com/data' from origin 'http://localhost:3000' has been blocked by CORS policy: No 'Access-Control-Allow-Origin' header is present on the requested resource.
Enter fullscreen mode Exit fullscreen mode

How to Handle CORS Errors

1. Modify the Server to Allow CORS

The most straightforward solution is to configure the server to allow cross-origin requests. Here’s how you can do it in some common server frameworks:

Express.js (Node.js)

const express = require('express');
const cors = require('cors');
const app = express();

app.use(cors());

app.get('/data', (req, res) => {
  res.json({ message: 'Hello from the server!' });
});

app.listen(3001, () => {
  console.log('Server is running on port 3001');
});
Enter fullscreen mode Exit fullscreen mode

2. Using a Proxy in Development

When developing a React application, you can configure a proxy to redirect API calls to the target server. This avoids CORS issues during development.

Create React App

If you are using Create React App, you can set up a proxy in your package.json or vite.config.js file:

{
  "proxy": "http://api.example.com"
}
Enter fullscreen mode Exit fullscreen mode

3. Using CORS Anywhere

CORS Anywhere is a NodeJS proxy that adds CORS headers to the proxied request. It can be helpful for quick solutions during development.

Usage

const fetchData = async () => {
  const response = await fetch('https://cors-anywhere.herokuapp.com/http://api.example.com/data');
  const data = await response.json();
  console.log(data);
};

fetchData();
Enter fullscreen mode Exit fullscreen mode

4. Manually Adding CORS Headers in the Browser

As a last resort, and only for development or testing, you can disable CORS in your browser or use browser extensions that allow you to bypass CORS. However, this is not recommended for production due to security risks.

Example: Handling CORS in a React App

Here's a practical example using an Express.js server and a React frontend.

Express.js Server Setup

// server.js
const express = require('express');
const cors = require('cors');
const app = express();

app.use(cors());

app.get('/data', (req, res) => {
  res.json({ message: 'Hello from the server!' });
});

app.listen(3001, () => {
  console.log('Server is running on port 3001');
});
Enter fullscreen mode Exit fullscreen mode

React App Setup

Fetch Data with Fetch API

// App.js
import React, { useEffect, useState } from 'react';

function App() {
  const [data, setData] = useState(null);

  useEffect(() => {
    fetch('http://localhost:3001/data')
      .then(response => response.json())
      .then(data => setData(data))
      .catch(error => console.error('Error:', error));
  }, []);

  return (
    <div className="App">
      <h1>{data ? data.message : 'Loading...'}</h1>
    </div>
  );
}

export default App;
Enter fullscreen mode Exit fullscreen mode

Using a Proxy in Create React App

In your package.json file, add the proxy configuration:

{
  "proxy": "http://localhost:3001"
}
Enter fullscreen mode Exit fullscreen mode

With this setup, you can simply fetch the data without worrying about CORS during development:

// App.js
useEffect(() => {
  fetch('/data')
    .then(response => response.json())
    .then(data => setData(data))
    .catch(error => console.error('Error:', error));
}, []);
Enter fullscreen mode Exit fullscreen mode

Conclusion

Handling CORS errors in ReactJS involves understanding why these errors occur and implementing appropriate solutions. Whether you modify the server to allow CORS, use a proxy during development, or employ other techniques, you can ensure smooth communication between your React application and external APIs. Remember to always follow best practices and consider security implications when configuring CORS in your applications.

Top comments (1)

Collapse
 
ashleyd480 profile image
Ashley D

Excellent share @vyan. This is a super helpful article that I'm definitely saving. 2 weeks ago, we were assigned to do our first fullstack project to conclude our bootcamp. I had my fair share of CORS errors, and your short and sweet troubleshooting tips are a great resource. ❤️