-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathserver.js
304 lines (230 loc) · 11.9 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
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
const express = require('express');
const pool = require('./db/database');
const app = express();
const multer = require('multer');
const bodyParser = require('body-parser');
const cors = require('cors');
const port = 3000;
app.use(bodyParser.json());
app.use(cors());
//Получение всех постов из базы данных
app.get('/posts', async (req, res) => {
pool.query('SELECT * FROM posts', (error, results, fields) => {
if (error) {
console.error('Error:', error);
return res.status(500).json({ message: "Internal server error" });
}
res.status(200).json({ message: "All posts successfully retrieved", posts: results });
});
});
//Получение поста по ID
app.get('/posts/:id', async (req, res) => {
const { id } = req.params;
pool.query('SELECT * FROM posts WHERE id = ?', [id], (error, results, fields) => {
if (error) {
console.error('Error:', error);
return res.status(500).json({ message: "Internal server error" });
}
res.status(200).json({ message: "Post successfully retrieved", post: results[0] });
});
});
// Добавление нового поста в базу данных
app.post('/posts', async (req, res) => {
const { id, user_id, department_id, title, appeal, description, date, image_one, image_two, image_three, image_four, video, status, place, address } = req.body;
// Basic validation
if (!user_id || !department_id || !title || !appeal || !description || !date || !status || !address) {
return res.status(400).json({ message: "Missing required fields" });
}
// Insert new post into the database
const result = await pool.query('INSERT INTO posts (user_id, department_id, title, appeal, description, date, image_one, image_two, image_three, image_four, video, status, place, address) VALUES (?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?)', [user_id, department_id, title, appeal, description, date, image_one, image_two, image_three, image_four, video, status, place, address]);
const post_id = result.insertId;
res.status(201).json({ message: "Post successfully added", post_id: post_id });
});
// Удаление по ID
app.delete('/posts/:id', async (req, res) => {
const { id } = req.params;
// Delete post from the database
const result = await pool.query('DELETE FROM posts WHERE id = ?', [id]);
res.status(200).json({ message: "Post successfully deleted" });
});
// Редактирование поста
app.put('/posts/:id', async (req, res) => {
const { id } = req.params;
const { user_id, department_id, title, appeal, description, date, image_one, image_two, image_three, image_four, video, status, place, address } = req.body;
// Update post in the database
const result = await pool.query('UPDATE posts SET user_id = ?, department_id = ?, title = ?, appeal = ?, description = ?, date = ?, image_one = ?, image_two = ?, image_three = ?, image_four = ?, video = ?, status = ?, place = ?, address = ? WHERE id = ?', [user_id, department_id, title, appeal, description, date, image_one, image_two, image_three, image_four, video, status, place, address, id]);
// console.log(result);
res.status(200).json({ message: "Post successfully updated" });
});
//Получение отчетов по place
//Регистрация нового пользователя
app.post('/register', async (req, res) => {
const { department_id, email, password, name, role, ban, place, image, phone, birthday, points } = req.body;
// Basic validation
if (!department_id || !email || !password || !name | !place || !role ) {
return res.status(400).json({ message: "Missing required fields" });
}
// Insert new user into the database
const result = await pool.query('INSERT INTO users ( department_id, email, password, name, place, role, ban) VALUES (?, ?, ?, ?, ?, ?)', [department_id, email, password, name, place, role]);
const user_id = result.insertId;
res.status(201).json({ message: "User successfully registered", user_id: user_id });
});
//Получение всех пользователей из базы данных
app.get('/users', async (req, res) => {
pool.query('SELECT * FROM users', (error, results, fields) => {
if (error) {
console.error('Error:', error);
return res.status(500).json({ message: "Internal server error" });
}
res.status(200).json({ message: "All users successfully retrieved", users: results });
});
});
//Авторизация пользователя
app.post('/login', async (req, res) => {
const { email, password } = req.body;
// Basic validation
if (!email || !password) {
return res.status(400).json({ message: "Missing required fields" });
}
// Find user in the database
const result = await pool.query('SELECT * FROM users WHERE email = ? AND password = ?', [email, password]);
if (result.length === 0) {
return res.status(404).json({ message: "User not found" });
}
res.status(200).json({ message: "User successfully logged in", user: result[0] });
});
//Редактирование пользователя
app.put('/users/:id', async (req, res) => {
const { id } = req.params;
const { department_id, email, password, name, role, ban, place, image, phone, birthday, points } = req.body;
// Update user in the database
const result = await pool.query('UPDATE users SET department_id = ?, email = ?, password = ?, name = ?, role = ?, ban = ?, place = ?, image = ?, phone = ?, birthday = ?, points = ? WHERE id = ?', [department_id, email, password, name, role, ban, place, image, phone, birthday, points, id]);
res.status(200).json({ message: "User successfully updated" });
});
//Получение баллов у пользователя
app.get('/points/:id', async (req, res) => {
const { id } = req.params;
pool.query('SELECT points FROM users WHERE id = ?', [id], (error, results, fields) => {
if (error) {
console.error('Error:', error);
return res.status(500).json({ message: "Internal server error" });
}
res.status(200).json({ message: "User points successfully retrieved", points: results[0].points });
});
});
//Добавление роли админа пользователю
app.put('/admin/:id', async (req, res) => {
const { id } = req.params;
// Update user in the database
const result = await pool.query('UPDATE users SET role = "admin" WHERE id = ?', [id]);
res.status(200).json({ message: "User successfully updated to admin" });
});
//Добавление баллов пользователю за создание поста 10 баллов когда отдел выполнит обращение +90 баллов
app.put('/points/:id', async (req, res) => {
const { id } = req.params;
// Update user in the database
const result = await pool.query('UPDATE users SET points = points + 10 WHERE id = ?', [id]);
res.status(200).json({ message: "User successfully updated" });
});
//status posts в необработанное , в работе, на проверке выполнено
app.put('/status/:id', async (req, res) => {
const { id } = req.params;
const { status } = req.body;
// Update user in the database
const result = await pool.query('UPDATE posts SET status = ? WHERE id = ?', [status, id]);
res.status(200).json({ message: "Post status successfully updated" });
});
//Создание отчета по id к определенному посту
app.post('/reports/:id', async (req, res) => {
const { id } = req.params; // Получаем post_id из параметров URL
const { user_id, comments, image, date, grade } = req.body.report;
// Базовая валидация
if (!user_id || !comments || !image || !date || !grade) {
return res.status(400).json({ message: "Отсутствуют обязательные поля" });
}
// Вставка нового отчета в базу данных
try {
const result = await pool.query(
'INSERT INTO reports (user_id, post_id, comments, image, date, grade) VALUES (?, ?, ?, ?, ?, ?)',
[user_id, id, comments, image, date, grade]
);
const report_id = result.insertId; // Получаем ID вставленного отчета
res.status(201).json({ message: "Отчет успешно добавлен", report_id: report_id });
} catch (error) {
// Обработка ошибок
console.error("Ошибка при вставке отчета:", error);
res.status(500).json({ message: "Ошибка сервера" });
}
});
//Обращение к техподдержке
app.post('/supports', async (req, res) => {
const { id, user_id ,text } = req.body;
// Basic validation
if (!id || !user_id || !text ) {
return res.status(400).json({ message: "Missing required fields" });
}
// Insert new post into the database
const result = await pool.query('INSERT INTO supports (id, user_id, text) VALUES (?, ?, ?)', [id, user_id, text]);
const support_id = result.insertId;
res.status(201).json({ message: "Support successfully added", support_id: support_id });
}
);
//Получение всех обращений из базы данных
app.get('/supports', async (req, res) => {
pool.query('SELECT * FROM supports', (error, results, fields) => {
if (error) {
console.error('Error:', error);
return res.status(500).json({ message: "Internal server error" });
}
res.status(200).json({ message: "All supports successfully retrieved", supports: results });
});
});
//Удаление обращения по ID
app.delete('/supports/:id', async (req, res) => {
const { id } = req.params;
// Delete post from the database
const result = await pool.query('DELETE FROM supports WHERE id = ?', [id]);
res.status(200).json({ message: "Support successfully deleted" });
});
//Редактирование обращения
app.put('/supports/:id', async (req, res) => {
const { id } = req.params;
const { user_id, text } = req.body;
// Update post in the database
const result = await pool.query('UPDATE supports SET user_id = ?, text = ? WHERE id = ?', [user_id, text, id]);
res.status(200).json({ message: "Support successfully updated" });
});
//Пожелания к приложению
app.post('/wishes', async (req, res) => {
const { id, user_id ,grade, wish } = req.body;
// Basic validation
if (!id || !user_id || !grade || !wish) {
return res.status(400).json({ message: "Missing required fields" });
}
// Insert new post into the database
const result = await pool.query('INSERT INTO wishes (id, user_id, grade, wish) VALUES (?, ?, ?, ?)', [id, user_id, grade, wish]);
const wish_id = result.insertId;
res.status(201).json({ message: "Wish successfully added", wish_id: wish_id });
}
);
//Получение всех пожеланий из базы данных
app.get('/wishes', async (req, res) => {
pool.query('SELECT * FROM wishes', (error, results, fields) => {
if (error) {
console.error('Error:', error);
return res.status(500).json({ message: "Internal server error" });
}
res.status(200).json({ message: "All wishes successfully retrieved", wishes: results });
});
});
//Удаление пожелания по ID
app.delete('/wishes/:id', async (req, res) => {
const { id } = req.params;
// Delete post from the database
const result = await pool.query('DELETE FROM wishes WHERE id = ?', [id]);
res.status(200).json({ message: "Wish successfully deleted" });
});
// Run the server in 3000 port // Запуск сервера на 3000 порту
app.listen(port, () => {
console.log(`Server is running on port ${port}`);
});