I’m making a todo app in nextjs to practice, and I am having a hard time getting single todos to delete from the database using the deleteOne function.
Here is the call from the front end:
JavaScript
x
7
1
async function deleteTodo(id) {
2
await fetch(`/api/todos/${id}`, {
3
method: "DELETE",
4
});
5
setTodosList(todosList.filter((todo) => todo._id !== id));
6
}
7
and here is the handling of the DELETE method:
JavaScript
1
44
44
1
async function handler(req, res) {
2
let client;
3
4
try {
5
client = await connectDatabase();
6
} catch (error) {
7
res
8
.status(500)
9
.json({ message: error.message || "Error connecting to MongoDB." });
10
11
return;
12
}
13
14
if (req.method === "DELETE") {
15
const { id } = req.query;
16
17
console.log(id);
18
19
if (!id || id.trim() === "") {
20
res
21
.status(500)
22
.json({ message: "A todo id was not sent with the request." });
23
client.close();
24
return;
25
}
26
27
try {
28
let result;
29
let allTodos;
30
result = await deleteTodo("todos", id);
31
allTodos = await getAllTodos("todos");
32
res.status(201).json({
33
message: `Todo ${id} successfully removed!`,
34
todos: allTodos,
35
});
36
} catch (error) {
37
res
38
.status(500)
39
.json({ message: error.message || "Unable to delete todo." });
40
}
41
}
42
client.close();
43
}
44
and the deleteTodo helper function it calls:
JavaScript
1
10
10
1
export async function deleteTodo(collection, id) {
2
const client = await connectDatabase();
3
4
const db = client.db();
5
6
const result = await db.collection(collection).deleteOne({ _id: id });
7
8
return result;
9
}
10
I can get it to delete the first item in the array of todos if I pass deleteOne an empty object, but when I try to specify the id by using { _id: id } it does not delete.
Can anyone see what is happening to cause this? Thanks.
Advertisement
Answer
I think your id
passed from front-end
has string
type. Since _id
has ObjectId type, you need to convert id
string to ObjectId.
Install:
JavaScript
1
2
1
npm i bson
2
Import in your deleteTodo
:
JavaScript
1
2
1
import { ObjectId } from 'bson';
2
and try to change, in deleteTodo
JavaScript
1
2
1
const result = await db.collection(collection).deleteOne({ _id: ObjectId(id) });
2