-
Notifications
You must be signed in to change notification settings - Fork 0
/
server.js
181 lines (157 loc) · 5.37 KB
/
server.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
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
import express from 'express';
import { v4 as uuidv4 } from 'uuid';
import fs, { read, write } from 'fs';
import path from 'path';
const app = express();
const port = 3333;
const dbPath = path.resolve('database.json');
app.use(express.json());
// Função para criar o arquivo se ele não existir
const ensureDatabaseExists = () => {
return new Promise((resolve, reject) => {
fs.access(dbPath, fs.constants.F_OK, (err) => {
if (err) {
// Se o arquivo não existir, retorna um array vazio
fs.writeFile(dbPath, JSON.stringify([]), (err) => {
if (err) {
reject(err);
} else {
resolve();
}
});
} else {
resolve()
}
});
});
};
// Função para escrever no arquivo JSON
const readDatabase = () => {
return new Promise((resolve, reject) => {
fs.readFile(dbPath, 'utf8', (err, data) => {
if (err) {
reject(err);
} else {
try {
resolve(JSON.parse(data));
} catch (parseErr) {
reject(parseErr);
}
}
});
});
};
// Função para escrever no arquivo JSON
const writeDatabase = (data) => {
return new Promise((resolve, reject) => {
fs.writeFile(dbPath, JSON.stringify(data, null, 2), (err) => {
if (err) reject(err);
else resolve();
});
});
};
// Atualiza o cache em memória
let gamesCache = [];
const updateCache = async () => {
gamesCache = await readDatabase();
};
// Inicializa o cache
ensureDatabaseExists().then(() => {
updateCache().catch(console.error);
}).catch(console.error);
// Retornar todos os jogos
app.get('/games', (req, res) => {
res.json(gamesCache);
console.log('/GET - listando todos os games')
});
// Retornar um jogo específico
app.get('/games/:id', async (req, res) => {
const game = gamesCache.find(g => g.id === req.params.id);
if (game) {
res.json(game);
} else {
res.status(400).send('Game not found');
}
console.log('/GET - retorna um game específico')
});
// Criar um novo jogo
app.post('/games', async (req, res) => {
const newGame = {
id: uuidv4(), // Gerando um UUID único para cada novo jogo
name: `Game ${gamesCache.length + 1}`, // Nomeando o jogo como "Game {n}"
liked: false, // Indica se o usuario gostou ou nao do jogo. Retorna booleano
// Inicialmente o jogo não é ''liked''
};
console.log('/POST crate-new-game', gamesCache)
gamesCache.push(newGame);
try {
await writeDatabase(gamesCache)
res.status(201).json(newGame);
} catch (err) {
res.status(500).send('Erro ao escrever no banco de dados.')
}
});
// Atualizar um jogo específico
app.put('/games/:id', async (req, res) => {
try {
await updateCache();
const gameIndex = gamesCache.findIndex(g => g.id === req.params.id);
if (gameIndex !== -1) {
// Atualiza o jogo no cache
gamesCache[gameIndex] = {
...gamesCache[gameIndex],
...req.body
};
console.log('/PUT - alterar um game específico')
await writeDatabase(gamesCache);
res.json(gamesCache[gameIndex]);
} else {
res.status(404).send('Game not found.')
}
} catch (err) {
res.status(500).send('Erro ao atualizar o jogo.');
}
});
// Deletar um jogo específico
app.delete('/games/:id', async (req, res) => {
const gameIndex = gamesCache.findIndex(g => g.id === req.params.id);
if (gameIndex !== -1) {
gamesCache.splice(gameIndex, 1);
try {
console.log('/DELETE - deletar um game específico')
await writeDatabase(gamesCache);
res.status(204).send('game deletado'); // Retorna sucesso sem conteúdo
} catch (err) {
res.status(500).send('Erro ao escrever no banco de dados.');
}
} else {
res.status(404).send('Game not found.');
}
});
// Atualizar se gostou ou não do jogo
app.patch('/games/:id/liked', async (req, res) => {
try {
await updateCache();
const game = gamesCache.find( g => g.id === req.params.id);
if (game) {
game.liked = req.body.liked;
await writeDatabase(gamesCache);
res.json(game);
} else {
res.status(404).send('Game not found.')
}
} catch (err) {
res.status(500).send('Erro ao atualizar o jogo.')
}
});
// Criação inicial do arquivo se não existir
fs.access(dbPath, fs.constants.F_OK, (err) => {
if (err) {
fs.writeFile(dbPath, JSON.stringify([]), (err) => {
if (err) console.error('Erro ao criar o arquivo database.json', err)
});
}
});
app.listen(port, () => {
console.log(`Server running on http://localhost:${port}`);
})