R
R
romaro2021-04-12 02:35:03
Express.js
romaro, 2021-04-12 02:35:03

How to make a POST request via fetch() to localhost?

I'm trying to debug a form. The node server is on a virtual machine, port forwarding 3000 is configured for localhost.
Code for submitting a request on the form page:

<script>
        const elBtnSend = document.querySelector('.cell-btn-send')

        elBtnSend.addEventListener('click', () => {
            elBtnSend.classList.add('js-btn-loader')

            let userInfo = {
                username: document.querySelector('.cell-username input').value,
                email: document.querySelector('.cell-email input').value,
                phone: document.querySelector('.cell-phone input').value
            }

            fetch('localhost:3000/users/', {
                method: 'POST',
                headers: {
                    'Content-Type': 'application/json;charset=utf-8'
                },
                body: JSON.stringify(userInfo)
            })
        })
    </script>


There is a test handler on the server for now (I just want to output the request to the console):
app.post('/users', function (req, res) {
  if (!req.body) return res.sendStatus(400);
  console.log(req.body);
})


I get a promise error in the browser console:

6073865960bdb977055012.jpeg

Answer the question

In order to leave comments, you need to log in

2 answer(s)
V
Vasily Bannikov, 2021-04-12
@romaro

fetch('localhost:3000/users/', {
                method: 'POST',
                headers: {
                    'Content-Type': 'application/json;charset=utf-8'
                },
                body: JSON.stringify(userInfo)
            })

How is fetch supposed to know which protocol to use to send the request? Specify explicitly in the line - is it http or https

C
Confy, 2021-04-12
@Confy

To display JSON, you must first pass the request through the body-parser middleware
More details here and here .

Working example

index.html
<script>
  fetch('users/', {
    method: 'POST',
    headers: {
      'Content-Type': 'application/json;charset=utf-8'
    },
    body: JSON.stringify({ name: 'qwerty', id: 123 })
  })
</script>

app.js
const express = require('express');
const bodyParser = require('body-parser');
const path = require('path');

const jsonParser = bodyParser.json();
const app = express();
const port = 3000;

app.get('/', (req, res) => {
  res.sendFile(path.join(__dirname + '/index.html'));
});

app.post('/users', jsonParser, (req, res) => {
  if (!req.body) return res.sendStatus(400);

  console.log(req.body);

  res.end();
});

app.listen(port, () => {
  console.log(`Example app listening at http://localhost:${port}`);
});

607399ab27689738726389.png

Didn't find what you were looking for?

Ask your question

Ask a Question

731 491 924 answers to any question