-
Notifications
You must be signed in to change notification settings - Fork 0
/
program.cjs
575 lines (536 loc) · 15.7 KB
/
program.cjs
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
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
#!/user/bin/env node
const { argv } = require("node:process");
const fs = require("node:fs/promises");
const path = require("path");
module.exports = {
HandleReadTaskFile,
};
// module imports
const { GenericErrors } = require("./util/error.cjs");
const {
HandleCreateNewFieldToTasks,
} = require("./components/create-new-field.cjs");
const { HandleDeleteField } = require("./components/delete-field.cjs");
const { HandleSetTypeAllTasks } = require("./components/type-all-tasks.cjs");
const { HandleHelp } = require("./components/help-user.cjs");
const { HandleSearchNotifications } = require('./components/notification.cjs')
// minor utils
const commands = argv.slice(2);
const TASK_LIST = commands[0];
// paths
const originalFilePath = path.join(__dirname, "tasks.json");
const backupFolderPath = path.join(__dirname, "backup");
const backupFilePath = path.join(backupFolderPath, "backup.json");
// retry again after an error
const MAX_RETRIES = 5;
const TIME_TO_RETRIES = 2000;
async function HandleDirectoryIfDidNotExist() {
try {
await fs.access(backupFolderPath);
} catch (err) {
if (err.code === "ENOENT") {
await fs.mkdir(backupFolderPath);
console.log(`✅ Diretório de backup criado com sucesso!`);
console.log(
`🔷 Se necessário, cheque manualmente o arquivo de backup manualmente`
);
}
}
}
async function HandleCopyFile(src, dist, retries = 0) {
try {
await fs.copyFile(src, dist);
console.log(`✅ Backup atualizado com sucesso!`);
} catch (err) {
if (err.code === "EBUSY" && retries < MAX_RETRIES) {
console.warn(
`Um erro ocorreu durante o processo de backup, tentando
novamente em ${TIME_TO_RETRIES} segundos
`.trim()
);
await new Promise((resolve) => setTimeout(resolve, TIME_TO_RETRIES));
return HandleCopyFile(src, dist, retries + 1);
} else {
console.error(`❌ Não foi possível realizar o backup`, err);
}
}
}
async function HandleBeckup() {
try {
await HandleDirectoryIfDidNotExist();
await HandleCopyFile(originalFilePath, backupFilePath);
} catch (err) {
console.error(err.message.trim());
}
}
async function HandleUpdateTasks() {
try {
const JSON_BUFFER = await HandleReadTaskFile();
if (commands[2] && !isNaN(commands[2]) && commands[3]) {
HandleUpdateElementAttribute.call(
JSON_BUFFER[0][TASK_LIST],
commands[3].toLocaleLowerCase(),
"name"
);
await HandleWriteFile.call(JSON_BUFFER);
const elementFindOut = HandleFindElement.call(JSON_BUFFER[0][TASK_LIST]);
console.log(
`🔷 A tarefa com ID ${commands[2]} Foi atualizada com sucesso`.trim()
);
console.log(
`🔷 O nome da tarefa atualiza agora é: ${elementFindOut.name}`.trim()
);
} else {
if (!commands[1]) {
throw new GenericErrors(
`[ERRO]: O ID da tarefa não foi especificado`,
`[TIPO DE ERRO]: Sintax`
);
} else if (!commands[2]) {
throw new GenericErrors(
`[ERRO]: Name da terefa não foi específicado`,
`[TIPO DE ERRO]: Sintax`
);
} else if (isNaN(commands[1])) {
throw new GenericErrors(
`[ERRO]: O ID da tarefa precisa ser um número`,
`[TIPO DE ERRO]: Sintax`
);
}
throw new GenericErrors(
`[ERRO]: Por favor, tente novamente`,
`[TIPO DE ERRO]: Desconhecido`
);
}
} catch (err) {
console.error(err.message.trim(), err.type);
process.exit(1);
}
}
async function HandleAddTasks() {
try {
const JSON_BUFFER = await HandleReadTaskFile();
if (commands[2]) {
JSON_BUFFER[0][TASK_LIST].push({
name: String(commands[2]).toLowerCase(),
id: HandleGenerateTasksId(JSON_BUFFER[0][TASK_LIST]),
status: "todo",
createdAt: HandleGetDate(),
updateAt: HandleGetDate(),
lastCompleteDate: "",
type: "",
finishAt: "",
streak: 0,
});
await HandleWriteFile.call(JSON_BUFFER);
console.info(
"🔷 tarefa com o seguinte ID foi criada:",
HandleGenerateTasksId(JSON_BUFFER[0][TASK_LIST]) - 1
);
} else {
if (!commands[2]) {
throw new GenericErrors(
`❗ [ERRO]: O nome da tarefa está vazia, por favor, dê um nome a ela!`,
"❗ [TIPO DE ERRO]: Sintax"
);
}
}
} catch (err) {
console.error(err.message, err.type);
process.exit(1);
}
}
async function HandleDeleteTask() {
try {
const JSON_BUFFER = await HandleReadTaskFile();
if (commands[2]) {
const tasksFiltred = JSON_BUFFER[0][TASK_LIST].filter((item) => {
return item.id !== Number(commands[2]);
});
if (tasksFiltred.length === JSON_BUFFER[0][TASK_LIST].length) {
console.log("❗ A tefefa não existe");
} else {
console.warn(
`✅ A terefa com o ID: ${commands[2]} foi deleta com sucesso!`
);
console.warn(`🔷 A terefa era da seguinte lista: ${commands[0]}`);
}
JSON_BUFFER[0][TASK_LIST] = tasksFiltred;
await HandleWriteFile.call(JSON_BUFFER);
} else {
throw new GenericErrors(
"[Errror]: You didn't pass the ID of the task",
"[Type of Error]: Syntax"
);
}
} catch (deleteTaskErr) {
console.error(deleteTaskErr.message, deleteTaskErr.type);
process.exit(1);
}
}
async function HandleListTasks() {
try {
function HandleEmptyArray(arr) {
return arr.length === 0 ? "Sem tarefas!" : arr;
}
const jsonBuffer = await HandleReadTaskFile();
switch (commands[2]) {
case undefined:
const allTasks = jsonBuffer[0][TASK_LIST];
console.table(allTasks);
break;
case "todo":
const todoArrayFiltred = jsonBuffer[0][TASK_LIST].filter(
(item) => item.status === "todo"
);
const todoArray = todoArrayFiltred;
console.table(HandleEmptyArray(todoArray));
break;
case "done":
const doneArrayFiltred = jsonBuffer[0][TASK_LIST].filter(
(item) => item.status === "done"
);
const doneArray = doneArrayFiltred;
console.table(HandleEmptyArray(doneArray));
break;
case "in-progress":
const inProgressArrayFiltred = jsonBuffer[0][TASK_LIST].filter(
(item) => item.status === "in-progress"
);
const inProgressArray = inProgressArrayFiltred;
console.table(HandleEmptyArray(inProgressArray));
break;
default:
throw new GenericErrors(
`
❗ Status desconhecido: "${commands[2]}".
Por favor, use: 'done', 'in-progress' ou 'todo'
`.trim(),
"❗ [TIPO DE ERRO]: Sintax"
);
}
} catch (err) {
console.error(err.message, err.type);
process.exit(1);
}
}
async function HandleSetTaskStatus(sts) {
try {
const JSON_BUFFER = await HandleReadTaskFile();
if (commands[2]) {
await HandleUpdateElementAttribute.call(
JSON_BUFFER[0][TASK_LIST],
sts,
"status"
);
const elementFindOut = HandleFindElement.call(JSON_BUFFER[0][TASK_LIST]);
console.log(
`✅ A terefa da lista '${commands[0]}' com ID ${commands[2]} Foi atualizada com sucesso`.trim()
);
console.log(`🔷 Nome da tarefa atualizada: ${elementFindOut.name}`);
// update de json file
await HandleWriteFile.call(JSON_BUFFER);
} else {
throw new GenericErrors(
`❗ Specifique o ID da tarefa'`,
"❗ [TIPO DE ERRO]: Sintax"
);
}
} catch (err) {
console.error(err.message, err.type);
process.exit(1);
}
}
async function HandleDeleteAllTasks() {
try {
const JSON_BUFFER = await HandleReadTaskFile();
JSON_BUFFER[0][TASK_LIST] = [];
HandleWriteFile.call(JSON_BUFFER);
console.log(
`
✅ Todas as tarefas de ${TASK_LIST} foram deletadas com sucesso!
`.trim()
);
} catch (err) {
console.error("❗ Ocorreu um erro:", err);
process.exit(1);
}
}
async function HandleMarkAllTasks(sts) {
try {
const JSON_BUFFER = await HandleReadTaskFile();
for (element of JSON_BUFFER[0][TASK_LIST]) {
element.status = sts;
}
HandleWriteFile.call(JSON_BUFFER);
console.log(
`✅ Todas as tarefas de: ${TASK_LIST} foram marcadas como ${sts} com sucesso`
);
} catch (err) {
console.error("occur a error:", err.trim());
process.exit(1);
}
}
async function HandleSetTypeOfTask() {
try {
const JSON_BUFFER = await HandleReadTaskFile();
if (!isNaN(commands[2]) && commands[2] && commands[3]) {
HandleUpdateElementAttribute.call(
JSON_BUFFER[0][TASK_LIST],
commands[3],
"type"
);
HandleWriteFile.call(JSON_BUFFER);
const elementFindOut = HandleFindElement.call(JSON_BUFFER[0][TASK_LIST]);
console.log(
`✅ A tarefa com o ID ${commands[2]} foi atualizada com sucesso!`
);
console.log(`🔷 O nome da tarefa é: ${elementFindOut.name}`);
} else {
if (!commands[2] || isNaN(commands[2])) {
throw new GenericErrors(
`❗ Você esqueceu de passar o ID da tarefa!`,
`❗ [TIPO DE ERRO]: Sintax`
);
} else if (!commands[3]) {
throw new GenericErrors(
`❗ Você esqueceu de passar o nome do tipo!`,
`❗ [TIPO DE ERRO]: Sintax`
);
} else {
throw new GenericErrors(
`❗ Ops... Algo deu errado`,
`❗ [TIPO DE ERRO]: Desconhecido`
);
}
}
} catch (err) {
console.error(err.message.trim(), err.type);
process.exit(1);
}
}
async function HandleSetDateConclusion() {
try {
const JSON_BUFFER = await HandleReadTaskFile();
if (commands[2] && commands[3]) {
const dateFormater = /^(0[1-9]|1[0-2])\/(0[1-9]|[12]\d|3[01])\/(\d{4})$/;
const dateTest = dateFormater.test(commands[3]);
if (!dateTest) {
throw new GenericErrors(
`❗ A formatação está errada, por favor, utilize o seguinte formato: [MM][DD][YYYY]`,
`❗ [TIPO DE ERRO]: Sintax`
);
}
HandleUpdateElementAttribute.call(
JSON_BUFFER[0][TASK_LIST],
commands[3],
"finishAt"
);
HandleWriteFile.call(JSON_BUFFER);
const elementFindOut = HandleFindElement.call(JSON_BUFFER[0][TASK_LIST]);
console.log(
`🔷 A tarefa com ID ${commands[2]} foi atualizada com sucesso!`
);
console.log(`🔷 O nome da tarefa é: ${elementFindOut.name}`);
} else {
if (!commands[2] || isNaN(commands[2])) {
throw new GenericErrors(
"❗ Você esqueceu de passar o ID da tarefa",
"❗ [TIPO DE ERRO]: Sintax"
);
} else if (!commands[3]) {
throw new GenericErrors(
"❗ Você esqueceu de passar a data de conclusão",
"❗ [TIPO DE ERRO]: Sintax"
);
} else {
throw new GenericErrors(
"❗ Ops...Algo deu errado!",
"❗ [TIPO DE ERRO]: Sintax"
);
}
}
} catch (err) {
console.error(err.message.trim(), err.type);
process.exit(1);
}
}
async function HandleSetDateConclusionToAllTasks() {
try {
const JSON_BUFFER = await HandleReadTaskFile();
const dateFormater = /^(0[1-9]|1[0-2])\/(0[1-9]|[12]\d|3[01])\/(\d{4})$/;
if (dateFormater.test(commands[2])) {
for (element of JSON_BUFFER[0][TASK_LIST]) {
element.finishAt = commands[2];
}
await HandleWriteFile.call(JSON_BUFFER);
console.log(
`🔷 Todas as tarefas de ${TASK_LIST} foram agendadas para ${commands[2]}`
);
} else {
throw new GenericErrors(
`
❗ Por favor, utilize o seguinte formato: [MM]/[DD]/[YYYY]`,
`[TIPO DE ERRO]: Sintax`
);
}
} catch (err) {
console.error(err.message.trim(), err.type);
process.exit(1);
}
}
// utlity function
function HandleGenerateTasksId(dataArray) {
let maxId = dataArray.reduce((max, item) => Math.max(max, item.id || 0), 0);
return maxId + 1;
}
async function HandleReadTaskFile() {
try {
try {
const jsonData = await fs.readFile("tasks.json");
return JSON.parse(jsonData);
} catch (readErr) {
if (readErr.code === "ENOENT") {
const tasksStructure = [
{ daily: [], study: [], entertainment: [], revision: [] }, []
];
await fs.writeFile(
"tasks.json",
JSON.stringify(tasksStructure, null, 2)
);
return tasksStructure;
} else {
throw readErr;
}
}
} catch (err) {
console.error("❗ Erro ao ler o arquivo:", err);
process.exit(1);
}
}
function HandleGetDate() {
const dateObject = new Date();
const pad = (number) => (number < 10 ? '0' + number : number);
const currentData = pad(dateObject.getDate());
const currentMonth = pad(dateObject.getMonth() + 1);
const currentYear = dateObject.getFullYear();
return `${currentMonth}/${currentData}/${currentYear}`;
}
function HandleUpdateElementAttribute(attr, property) {
for (element of this) {
if (element.id === Number(commands[2])) {
const { lastCompleteDate } = element;
element[property] = attr;
element.updateAt = HandleGetDate();
if (attr === "done" && HandleStreakOfTasks(lastCompleteDate)) {
element.streak += 1;
element.lastCompleteDate = HandleGetDate();
}
break;
}
}
}
async function HandleWriteFile() {
await fs.writeFile("tasks.json", JSON.stringify(this, null, 2));
}
function HandleFindElement() {
const element = this.find((item) => {
return item.id === Number(commands[2]);
});
return element;
}
function HandleStreakOfTasks(lastDate) {
return lastDate !== HandleGetDate() ? true : false;
}
const errorLogs = [
"add",
"update",
"list",
"mark-all-done",
"mark-all-in-progress",
"mark-done",
"mark-in-progress",
"mark-todo",
"delete-task",
"mark-all-todo",
"delete-all",
"type",
"data-conclusion",
"type-all",
"data-conclusion-all",
"configuration-task-field",
];
switch (commands[1]) {
case "add":
HandleAddTasks();
break;
case "delete-task":
HandleDeleteTask();
break;
case "update":
HandleUpdateTasks();
break;
case "list":
HandleListTasks();
break;
case "mark-todo":
HandleSetTaskStatus("todo");
break;
case "mark-done":
HandleSetTaskStatus("done");
break;
case "mark-in-progress":
HandleSetTaskStatus("in-progress");
break;
case "delete-all":
HandleDeleteAllTasks();
break;
case "mark-all-done":
HandleMarkAllTasks("done");
break;
case "mark-all-todo":
HandleMarkAllTasks("todo");
break;
case "mark-all-in-progress":
HandleMarkAllTasks("in-progress");
break;
case "type":
HandleSetTypeOfTask();
break;
case "date-conclusion":
HandleSetDateConclusion();
break;
case "date-conclusion-all":
HandleSetDateConclusionToAllTasks();
break;
case "add-field":
HandleCreateNewFieldToTasks(HandleReadTaskFile, HandleWriteFile);
break;
case "delete-field":
HandleDeleteField(HandleReadTaskFile, HandleWriteFile);
break;
case "type-all":
HandleSetTypeAllTasks(HandleReadTaskFile, HandleWriteFile);
break;
case "all":
HandleHelp();
break;
case "run":
HandleBeckup();
break;
case "show":
HandleSearchNotifications(HandleReadTaskFile, HandleWriteFile, HandleGetDate);
break;
default:
(() => {
if (!TASK_LIST) {
console.log(
`🔷 Por favor, para saber mais sobre todos os comandos, utilize: "help all"`
);
console.error("❗ Comando inválido! Utilize um dos seguintes:");
errorLogs.forEach((item) => {
console.error(item);
});
}
})();
}