Kursinhalt
Backend-Entwicklung mit Node.js und Express.js
Backend-Entwicklung mit Node.js und Express.js
Implementierung der "Delete Post by ID"-Route
Wir werden in die Implementierung der Route "DELETE POST BY ID" innerhalb der Datei postsRoutes.js
eintauchen. Diese Route ermöglicht es den Clients, einen bestimmten Beitrag zu löschen, indem sie seine eindeutige ID angeben.
Routendefinition
Der folgende Code definiert die Route "DELETE POST BY ID" mit router.delete()
:
router.delete("/post/:id", async (req, res, next) => { ... }
Diese Route verarbeitet HTTP DELETE-Anfragen mit einem parametrisierten :id
im Routenpfad. Der :id
-Parameter wird verwendet, um den zu löschenden Beitrag zu identifizieren. Wir benötigen kein zusätzliches Middleware wie dataValidation
, da wir alle notwendigen Informationen aus dem URL-Parameter erhalten.
Extrahieren der Post-ID
Wir extrahieren die Post-ID aus den Anforderungsparametern mit req.params.id
:
const postId = req.params.id;
Diese Zeile erfasst den :id
-Wert aus der URL, sodass wir im nachfolgenden Code damit arbeiten können.
Löschen des Beitrags
So löschen wir den Beitrag:
const data = await readData();
const postIndex = data.findIndex((post) => post.id === postId);
if (postIndex === -1) {
return res.status(404).json({ error: "Post not found" });
}
data.splice(postIndex, 1);
await fs.writeFile("./database/posts.json", JSON.stringify(data));
- Wir beginnen damit, die vorhandenen Daten aus der JSON-Datei mit der asynchronen Funktion
readData
zu lesen, wie zuvor erklärt. - Wir finden den Index des zu löschenden Beitrags im
data
-Array, indem wir die Post-IDs vergleichen. - Wenn der Beitrag nicht gefunden wird (d.h.
postIndex === -1
), geben wir eine 404 (Nicht gefunden) Antwort mit einer Fehlermeldung zurück. - Mit der
splice
-Methode entfernen wir die Beitragsdaten aus demdata
-Array. Die VariablepostIndex
bestimmt die Position des zu löschenden Beitrags. - Das aktualisierte
data
-Array, aus dem der Beitrag entfernt wurde, wird dann zurück in die JSON-Datei geschrieben, um die während der Löschung vorgenommenen Änderungen zu speichern.
Senden einer Antwort
Eine JSON-Antwort mit einem Statuscode von 200 (OK) wird an den Client gesendet, um eine erfolgreiche Löschung anzuzeigen. Die Antwort enthält eine Nachricht, die bestätigt, dass der Beitrag erfolgreich gelöscht wurde:
res.status(200).json({ message: "Post deleted successfully" });
Fehlerbehandlung
Wir umschließen den Routencode in einem try-catch-Block, um potenzielle Fehler bei der Datenabfrage oder der Anforderungsverarbeitung zu behandeln. Alle auftretenden Fehler werden zur Debugging-Zwecken in der Konsole protokolliert:
try {
// ... (code for retrieving and processing data)
} catch (error) {
console.error(error.message);
}
Vollständiger Code der Datei postsRoutes.js in diesem Schritt
const express = require("express");
const fs = require("fs/promises");
const validatePostData = require("../middlewares/validateData");
const router = express.Router();
// Function to read data from the JSON file
async function readData() {
try {
// Read the contents of the `posts.json` file
const data = await fs.readFile("./database/posts.json");
// Parse the JSON data into a JavaScript object
return JSON.parse(data);
} catch (error) {
// If an error occurs during reading or parsing, throw the error
throw error;
}
}
// GET ALL POSTS
router.get("/", async (req, res, next) => {
try {
// Call the `readData` function to retrieve the list of posts
const data = await readData();
// Send the retrieved data as the response
res.status(200).send(data);
} catch (error) {
// If an error occurs during data retrieval or sending the response
console.error(error.message); // Log the error to the console for debugging
}
});
// GET POST BY ID
router.get("/post/:id", async (req, res, next) => {
try {
// Extract the post ID from the request parameters
const postId = req.params.id;
// Read data from the JSON file
const data = await readData();
// Find the post with the matching ID
const post = data.find((post) => post.id === postId);
// If the post is not found, send a 404 response
if (!post) {
res.status(404).json({ error: "Post not found" });
} else {
// If the post is found, send it as the response
res.status(200).send(post);
}
} catch (error) {
// Handle errors by logging them and sending an error response
console.error(error.message);
}
});
// CREATE POST
router.post("/", validatePostData, async (req, res, next) => {
try {
const newPost = {
id: Date.now().toString(), // Generate a unique ID for the new post
username: req.body.username,
postTitle: req.body.postTitle,
postContent: req.body.postContent,
};
// Read the existing data
const data = await readData();
// Add the new post to the data
data.push(newPost);
// Write the updated data back to the JSON file
await fs.writeFile("./database/posts.json", JSON.stringify(data));
// Send a success response with the new post
res.status(201).json(newPost);
} catch (error) {
// Handle errors by logging them to the console
console.error(error.message);
}
});
// UPDATE POST BY ID
router.put("/post/:id", validatePostData, async (req, res, next) => {
try {
// Extract the post ID from the request parameters
const postId = req.params.id;
// Extract the updated data from the request body
const updatedData = {
username: req.body.username,
postTitle: req.body.postTitle,
postContent: req.body.postContent,
};
// Read the existing data
const data = await readData();
// Find the index of the post with the specified ID in the data array
const postIndex = data.findIndex((post) => post.id === postId);
// If the post with the specified ID doesn't exist, return a 404 error
if (postIndex === -1) {
return res.status(404).json({ error: "Post not found" });
}
// Update the post data with the new data using spread syntax
data[postIndex] = {
...data[postIndex], // Keep existing data
...updatedData, // Apply updated data
};
// Write the updated data back
await fs.writeFile("./database/posts.json", JSON.stringify(data));
// Send a success response with the updated post
res.status(200).json(data[postIndex]);
} catch (error) {
console.error(error.message);
next(error);
}
});
// DELETE POST BY ID
router.delete("/post/:id", async (req, res, next) => {
try {
// Extract the post ID from the request parameters
const postId = req.params.id;
// Read the existing data
const data = await readData();
// Find the index of the post with the specified ID in the data array
const postIndex = data.findIndex((post) => post.id === postId);
// If the post with the specified ID doesn't exist, return a 404 error
if (postIndex === -1) {
return res.status(404).json({ error: "Post not found" });
}
// Remove the post from the data array using `splice`
data.splice(postIndex, 1);
// Write the updated data back to the data source (e.g., a JSON file)
await fs.writeFile("./database/posts.json", JSON.stringify(data));
// Send a success response with the JSON response indicating successful deletion
res.status(200).json({ message: "Post deleted successfully" });
} catch (error) {
console.error(error.message);
next(error);
}
});
module.exports = router;
Danke für Ihr Feedback!