Share:
Hey folks,
I’m trying to make cross-origin requests from my JavaScript application but I’m running into CORS (Cross-Origin Resource Sharing) issues. How can I properly handle CORS in my JavaScript app to ensure my requests are successful?
Hide Responses
Hi,
To handle CORS (Cross-Origin Resource Sharing) in JavaScript, you need to configure the server to allow cross-origin requests:
// Node.js example using Express
const express = require('express');
const app = express();
app.use((req, res, next) => {
res.header("Access-Control-Allow-Origin", "*");
res.header("Access-Control-Allow-Headers", "Origin, X-Requested-With, Content-Type, Accept");
next();
});
app.get('/data', (req, res) => {
res.json({ message: 'This is CORS-enabled.' });
});
app.listen(3000, () => console.log('Server running on port 3000'));
fetch('http://localhost:3000/data')
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error('Error:', error));
Proper server configuration ensures your cross-origin requests succeed.
Sophia Mitchell
9 months ago