首页 > 解决方案 > 使用 fetch 将跨域 JSON 数据发布到 Express 后端

问题描述

我正在尝试使用 Fetch 从表单中发布一些 JSON 数据并记录来自 Express 服务器的响应,这应该是包含发布的表单值的简单 JSON 响应,但我只在控制台中接收到一个空对象。

HTML 和 JavaScript 可以从此JSFiddle Link执行。

如何从服务器接收填充的 JSON 对象响应?

HTML

<form id="myForm">
    <input type="text" placeholder="Enter First Name" name="firstName" />
    <input type="text" placeholder="Enter Last Name" name="lastName" />
    <input type="submit" value="SUBMIT" />
</form>

JavaScript

const form = document.getElementById("myForm");

form.addEventListener("submit", (e) => {

    e.preventDefault();

    fetch("http://localhost:5000/form-post", {
            method: "POST",
            mode: "cors",
            body: {
                firstName: e.target.firstName.value,
                lastName: e.target.lastName.value
            } 
        })
        .then((res) => res.json())
        .then((data) => console.log(data));
});

快递服务器

const express = require("express");
const app = express();

const cors = (req, res, next) => {

    res.header("Access-Control-Allow-Origin", "*");
    res.header("Access-Control-Allow-Methods", "GET, PUT, PATCH, POST, DELETE");
    res.header("Access-Control-Allow-Headers", "Origin, Content-Type");

    next();
};

app.use(cors);
app.use(express.json());

app.post("/form-post", (req, res) => {

    res
        .status(200)
        .json({
            First_Name: req.body.firstName,
            Last_Name: req.body.lastName
        });

});

app.listen(5000, () => console.log("Server started on port 5000..."));

[编辑:]它在 Postman 中运行良好(附有屏幕截图),但它似乎不适用于 Fetch。

在此处输入图像描述

标签: javascriptnode.jsexpresspostfetch

解决方案


你不能POST是一个普通的 javascript 对象。

但是,请务必检查RFC 1341Content-type中定义的所有可能值以及mime 类型列表。

根据 MDN

获取正文数据类型必须与“Content-Type”标头匹配

试试这个代码。

const form = document.getElementById("myForm");

form.addEventListener("submit", (e) => {
  e.preventDefault();

  var data = {
    firstName: e.target.firstName.value,
    lastName: e.target.lastName.value
  }

  fetch("http://localhost:5000/form-post", {
      method: "POST",
      mode: "cors",
      headers: {
        "Content-Type": "application/json; charset=utf-8",
      },
      body: JSON.stringify(data)
    })
    .then((res) => res.json())
    .then((data) => console.log(data));
});

推荐阅读