I am new to express
and router. When I try to add a comment to the database, the console returned the error ("Post 400 Bad request" and "Uncaught in Promise"
). I’ve tried many solutions but it doesn’t work. I think it is to do with my routing.
Below is my profilesRouter.js in the backend folder:
JavaScript
x
23
23
1
const express = require("express");
2
const router = express.Router();
3
4
class profilesRouter {
5
constructor(controller) {
6
this.controller = controller;
7
}
8
routes() {
9
router.get("/", this.controller.getAll.bind(this.controller));
10
router.get(
11
"/:profileId/comments",
12
this.controller.getComments.bind(this.controller)
13
);
14
router.post(
15
"/:profileId/comments",
16
this.controller.addComment.bind(this.controller)
17
);
18
return router;
19
}
20
}
21
22
module.exports = profilesRouter;
23
Here is my profilesController.js in the backend folder.
JavaScript
1
30
30
1
const BaseController = require("./baseController");
2
3
class profilesController extends BaseController {
4
constructor(model) {
5
super(model);
6
}
7
8
async getComments(req, res) {
9
const { profileId } = req.params;
10
try {
11
const comments = await this.models.comment.findByPk(profileId);
12
return res.json(comments);
13
} catch (err) {
14
return res.status(400).json({ error: true, msg: err });
15
}
16
}
17
18
async addComment(req, res) {
19
try {
20
const comment = { req.body };
21
const newComment = await this.models.comment.create(comment);
22
return res.json(newComment);
23
} catch (err) {
24
return res.status(400).json({ error: true, msg: err });
25
}
26
}
27
}
28
29
module.exports = profilesController;
30
On the other hand, for my frontend folder: Here is my App.js:
JavaScript
1
36
36
1
import React from "react";
2
import { useState, useEffect } from "react";
3
import Single from "./Single";
4
import { Routes, Route } from "react-router-dom";
5
6
export default function App() {
7
const [profiles, setprofiles] = useState([]);
8
const getInitialData = async () => {
9
let initialAPICall = await axios.get(
10
`${process.env.REACT_APP_API_SERVER}/profiles`
11
);
12
setprofiles(initialAPICall.data);
13
};
14
15
useEffect(() => {
16
getInitialData();
17
}, []);
18
19
return (
20
<div className="App">
21
<Routes>
22
<Route exact path="/" element={<Home />}></Route>
23
<Route
24
exact
25
path="/profiles"
26
element={<Card profiles={profiles} />}
27
></Route>
28
<Route
29
path="/profiles/:profileIndex"
30
element={<Single profiles={profiles} />}
31
></Route>
32
</Routes>
33
</div>
34
);
35
}
36
Upon clicking on individual profiles, it will bring me to Single.js
JavaScript
1
90
90
1
import React, { useState, useEffect } from "react";
2
import { useParams } from "react-router-dom";
3
import axios from "axios";
4
import { BACKEND_URL } from "../src/constant";
5
6
const Single = ({ profiles }) => {
7
const [comments, setComments] = useState();
8
const [commentContent, setCommentContent] = useState("");
9
const { profileIndex } = useParams();
10
const profile = profiles[profileIndex];
11
12
console.log(profile);
13
14
useEffect(() => {
15
// If there is a profiles.id, retrieve the profile data
16
if (profile.id) {
17
axios
18
.get(`${BACKEND_URL}/profiles/${profile.id}/comments`)
19
.then((response) => {
20
setComments(response.data);
21
});
22
}
23
// Only run this effect on change to profiles.id
24
}, [profile.id]);
25
26
console.log(profile.id);
27
28
if (!profile) {
29
return "No Profile";
30
}
31
32
const handleChange = (event) => {
33
setCommentContent(event.target.value);
34
};
35
36
const handleSubmit = (event) => {
37
// Prevent default form redirect on submission
38
event.preventDefault();
39
40
// Send request to create new comment in backend
41
axios
42
.post(
43
`${BACKEND_URL}/profiles/${profile.id}/comments`,
44
{
45
content: commentContent,
46
}
47
)
48
.then((res) => {
49
// Clear form state
50
setCommentContent("");
51
52
// Refresh local comment list
53
return axios.get(
54
`${BACKEND_URL}/profiles/${profile.id}/comments`
55
);
56
})
57
.then((response) => {
58
setComments(response.data);
59
});
60
};
61
62
// Store a new JSX element for each comment
63
const commentElements = comments
64
? comments.map((comment) => (
65
<ol key={comment.id}>
66
{comment.createdAt} | {comment.content}
67
</ol>
68
))
69
: [];
70
71
return (
72
<div className="App">
73
<form onSubmit={handleSubmit}>
74
<input
75
// Use textarea to give user more space to type
76
as="textarea"
77
name="content"
78
value={comments}
79
onChange={handleChange}
80
/>
81
<button variant="primary" type="submit">
82
Submit
83
</button>
84
</form>
85
</div>
86
);
87
};
88
89
export default Single;
90
Data is being stored in profile.json without the comments: [{"PROFILE_NUMBER": "A123", "NAME": "X", "AGE" : "21", "HOBBY" : "RUN"} , .....]
I am quite new and not sure how to debug it and push my comments into the database.
Advertisement
Answer
Try in this method
JavaScript
1
26
26
1
router.post('/add', (req, res) => {
2
3
let { userid, comment } = req.body;
4
5
commentModel.create({
6
7
userid: userid,
8
comment: comment
9
10
}).then((data) => {
11
console.log("data-add", data);
12
return res.json({
13
success: true,
14
message: "Comment added",
15
data: data
16
})
17
}).catch((error) => {
18
console.log("error: ", error);
19
return res.json({
20
success: false,
21
message: error.message,
22
data: []
23
})
24
})
25
});
26