1 回答
TA贡献1817条经验 获得超14个赞
问题就在这里:
request_projets_post.setRequestHeader("Content-type", "application/x-www-form-urlencoded");
request_projets_post.send(JSON.stringify(json));
在第一行中,您将内容类型设置为application/x-www-form-urlencoded。在第二个中,您的正文是一个 JSON 字符串。
您发送到该函数的数据是经过 urlencoded 的:
title=title&description=description&imageUrl=imageUrl&href=href&github_href=github_href
但在你的服务器上,你将正文解析为 json:
app.use(bodyParser.json());
您不能混合编码。您需要决定是使用 JSON 还是 urlencoded:
JSON
在你的前端:
request_projets_post.setRequestHeader("Content-type", "application/json");
request_projets_post.send(JSON.stringify(json));
您提供给函数的数据是一个对象:
func_that_post_the_card_created(CHEMIN_AU_SERVEUR, {
title: title,
description: description,
imageUrl: imageUrl,
href: href,
github_href: github_href
});
后台无需修改
URL编码
不要使用 JSON.stringify:
const func_that_post_the_card_created = (path, data) => {
const request_projets_post = new XMLHttpRequest();
request_projets_post.open("POST", path, true);
request_projets_post.setRequestHeader("Content-type", "application/x-www-form-urlencoded");
request_projets_post.send(data);
};
func_that_post_the_card_created(CHEMIN_AU_SERVEUR, "title=title&description=description&imageUrl=imageUrl&href=href&github_href=github_href")
在您的服务器中删除该行
app.use(bodyParser.json());
并添加:
app.use(bodyParser.urlencoded({ extended: true }));
添加回答
举报