forked from paulosalvatore/ocean-backend-nuvem-21-07-2022
-
Notifications
You must be signed in to change notification settings - Fork 0
/
index.js
112 lines (81 loc) · 2.7 KB
/
index.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
const express = require("express");
const { MongoClient, ObjectId } = require("mongodb");
const url = "mongodb+srv://gabrielkmoraes:Ud5OfveEWfu6JUg9@cluster0.hodn6.mongodb.net";
const dbName = "ocean_bancodados_19_07_2022";
async function main() {
console.log("Conectando ao banco de dados...");
const client = await MongoClient.connect(url);
const db = client.db(dbName);
const collection = db.collection("herois");
console.log("Banco de dados conectado com sucesso!");
// Aplicação Backend com Express
const app = express();
// Registrar que estamos usando JSON no Body
// da requisição
app.use(express.json());
app.get("/", function (req, res) {
res.send("Hello World");
});
// /oi -> "Olá, mundo"
app.get("/oi", function (req, res) {
res.send("Olá, mundo");
});
// Endpoints de Heróis
const herois = ["Mulher Maravilha", "Capitã Marvel", "Homem de Ferro"];
// 0 1 2
// [GET] /herois -> Read All (Ler tudo)
app.get("/herois", async function (req, res) {
const documentos = await collection.find().toArray();
res.send(documentos);
});
// [GET] /herois/:id -> Read by ID (Ler pelo ID)
app.get("/herois/:id", async function (req, res) {
// Pegamos o ID pela rota
const id = req.params.id;
// Acessar o registro na collection, usando o ID
const item = await collection.findOne({ _id: new ObjectId(id) });
// Enviar o registro encontrado
res.send(item);
});
// [POST] /herois -> Create (Criar)
app.post("/herois", async function (req, res) {
// console.log(req.body);
// Acessamos o valor que foi enviado na request
const item = req.body;
// Insere esse valor na collection
await collection.insertOne(item);
// Exibe uma mensagem de sucesso
res.send(item);
});
// [PUT] /herois/:id -> Update (Atualizar)
app.put("/herois/:id", function (req, res) {
// Pegar o ID
const id = req.params.id;
// Pegar o item a ser atualizado
const item = req.body;
// Atualizar na collection o valor recebido
collection.updateOne(
{
_id: new ObjectId(id),
},
{
$set: item,
}
);
// Envio uma mensagem de sucesso
res.send(item);
});
// [DELETE] /herois/:id -> Delete (Remover)
app.delete("/herois/:id", async function (req, res) {
// Pegar o ID
const id = req.params.id;
// Remove o item da lista
await collection.deleteOne({ _id: new ObjectId(id) });
// Exibimos uma mensagem de sucesso
res.send("Item removido com sucesso!");
});
app.listen(process.env.PORT || 3000, function () {
console.log("Aplicação rodando em http://localhost:3000");
});
}
main();