我一直在努力学习NodeJS this NodeJs Youtube Tutorial
我已经使用Fetch API几个月来从WordPress和Google表格后端获取数据。
Youtube播放列表的最后一个视频是关于使用NodeJS和npm的express,EJS和body-parser创建待办事项列表应用程序。
然而,at part 4 of the To do list app,这位“老师”正在使用jQuery和Ajax将数据发布到NodeJS(His jQuery Code Snippet)。由于我只使用fetch()来处理AJAX POST请求,所以我希望在纯JavaScript中继续使用此方法。
我的ejs文件,名为todo.ejs,存储页面的HTML模板如下所示:
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<link rel="stylesheet" href="/assets/style.css">
<!-- Works because of express middleware.
Since we stored the public folder as a static folder,
we can request anything within that folder from the url, such as
127.0.0.1:3000/assets/styles.css
-->
<title>Todo List</title>
</head>
<body>
<h1>My Todo List</h1>
<div id="todo-table">
<form>
<input type="text" name="item" placeholder="Add new item..." required>
<button type="submit">Add Item</button>
</form>
<ul>
<% todos.forEach(todoList =>{ %>
<li> <%= todoList.item %> </li>
<% }) %>
</ul>
</div>
</body>
<script src="/assets/script.js"></script>
</html>
我的script.js(链接到todo.ejs页面)如下所示:
document.addEventListener("DOMContentLoaded", function (event) {
let submitButton = document.querySelector("button");
let textField = document.querySelector("input");
submitButton.addEventListener("click", addItem);
function addItem() {
let newItem = textField.value;
let todo = {
item: newItem
};
fetch("/todo", {
method: 'POST',
headers: {
'Content-Type': 'application/json'
},
body: JSON.stringify(todo)
}).then((res) => res.json())
.then((data) => console.log(data))
.catch((err) => console.log(err))
}
});
我的控制器处理所有get / post请求,名为todoController.js,如下所示:
let bodyParser = require("body-parser");
let urlencodedParser = bodyParser.urlencoded({ extended: false });
// Have some items already in place
let data = [{item: "Get milk"} , {item: "Walk dog"} , {item: "Clean kitchen"}];
module.exports = function (app) {
//Handle get data requests
app.get("/todo", function (req, res) {
res.render("todo", {todos: data});
});
//Handle post data requests (add data)
app.post("/todo", urlencodedParser, function (req, res) {
console.log(req.body);
});
//Handle delete data requests
app.delete("/todo", function (req, res) {
});
};
现在,每次我用一些文本填充输入字段并点击回车按钮,我的终端输出空对象:
基于这些空对象,我的POST请求未被正确接受/发送有一些错误。
任何可能有(可能是明显的)答案的人? (我知道我可以抓住他的jQuery Ajax代码片段使其工作,但我急切地试图用普通的Javascript来理解它)
提前感谢每个人抽出时间帮助我:)
答案 0 :(得分:3)
您需要使用bodyParser.json而不是bodyParser.urlencoded。
正如名称所暗示的,urlencoded将解析url参数,而bodyParser.json将解析请求正文中的json。
答案 1 :(得分:0)
我遇到了同样的问题,但我的 express 版本 > 4.5 所以我使用了 :
const express = require('express');
app = express()
app.use(express.json({
type: "*/*"
}))
而不是:
const express = require('express');
const bodyParser = require('body-parser');
const app = express();
app.use(bodyParser.json())
通过使用参数 {type : '/'} 接受所有接收到的内容类型来解决问题。