-
Notifications
You must be signed in to change notification settings - Fork 0
/
kiwi.js
4860 lines (4105 loc) · 139 KB
/
kiwi.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
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
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
require("dotenv").config();
let IBM_Cloudant_VietSpeak_Url = process.env.IBM_Cloudant_VietSpeak_Url;
let IBM_Cloudant_Vietspeak_APIKEY = process.env.IBM_Cloudant_Vietspeak_APIKEY;
let Slack_KIWI_UserClient_token = process.env.Slack_KIWI_UserClient_token;
let Slack_KIWI_Client_token = process.env.Slack_KIWI_Client_token;
let Slack_User_VietSpeakBank_token = process.env.Slack_User_VietSpeakBank_token;
let Slack_KIWI_Bot_token = process.env.Slack_KIWI_Bot_token;
let Slack_KIWI_App_token = process.env.Slack_KIWI_App_token;
let Slack_HOOK_Channel2 = process.env.Slack_HOOK_Channel2;
let Slack_DOWNLOAD_TOKEN = process.env.Slack_DOWNLOAD_TOKEN;
let AirTable_Api_key = process.env.AirTable_Api_key;
let MICROSOFT_Text_to_Speech_token = process.env.MICROSOFT_Text_to_Speech_token;
let MICROSOFT_TRANSLATION_token = process.env.MICROSOFT_TRANSLATION_token;
let WEATHER_API = process.env.WEATHER_API;
let apiEmailSorted = `https://api.airtable.com/v0/appDhJQmOmVO1x4DM/register_form_vietspeak?fields%5B%5D=Formdate&fields%5B%5D=email__address&sort%5B0%5D%5Bdirection%5D=desc&sort%5B0%5D%5Bfield%5D=Formdate&api_key=${AirTable_Api_key}`;
// ====================================================================
const { App } = require("@slack/bolt");
const { WebClient, LogLevel } = require("@slack/web-api");
const NodeCache = require("node-cache");
const myCache = new NodeCache();
const flatCache = require("flat-cache");
const cache = flatCache.load("vietspeak");
const { customAlphabet } = require("nanoid");
const alphabet = "abcdefghijklmnopqrstuvwxyz123456789";
const nanoid = customAlphabet(alphabet, 11);
// ===========================clientcloudant=================================
const { CloudantV1 } = require("@ibm-cloud/cloudant");
const { IamAuthenticator } = require("ibm-cloud-sdk-core");
//https://cloud.ibm.com/apidocs/cloudant?code=node#authentication
const authenticator = new IamAuthenticator({
apikey: IBM_Cloudant_Vietspeak_APIKEY,
});
const clientcloudant = new CloudantV1({
authenticator: authenticator,
});
clientcloudant.setServiceUrl(IBM_Cloudant_VietSpeak_Url);
// ===========================clientcloudant=================================
var rhymesVietSpeak = require("rhyming.ly").rhymes;
const sdk = require("microsoft-cognitiveservices-speech-sdk");
const {
getRandomInt,
randomIndex,
getCurrentTask,
currentTimeStamp,
cleanTextToCompare,
vttToPlainText,
later,
development,
onlyHandleChannelbanthongtin,
onlyHandleChannel2,
onlyHandleMainThreadEvent,
onlyHandlePublicEvent,
onlyHandleIfIM,
onlyHandleIfNotDeletingEvent,
onlyHandleIfNotBot,
getBeginningAndEndingTask,
getTimeStampFromTaskNumber,
stringToSlug,
allowingString,
onlyHandleIfUploadFile,
getTheLastDayOfTheMonth,
onlyHandleFollowingSingleWord,
} = require("./utilities");
const { Observable, from, of, timer, range, firstValueFrom } = require("rxjs");
const {
map,
first,
scan,
toArray,
tap,
last,
take,
filter,
catchError,
} = require("rxjs/operators");
const { ajax } = require("rxjs/ajax");
const { request } = require("universal-rxjs-ajax"); //use this for nodejs environment
// ============================================================
const client = new WebClient(Slack_KIWI_Client_token, {
logLevel: LogLevel.DEBUG,
});
// dùng để gọi chat.delete API với token của user
const clientUser = new WebClient(Slack_KIWI_UserClient_token, {
logLevel: LogLevel.DEBUG,
});
// ============================================================
const VietSpeakBankUser = new WebClient(Slack_User_VietSpeakBank_token, {
logLevel: LogLevel.DEBUG,
});
const stringSimilarity = require("string-similarity");
const { v4: uuidv4 } = require("uuid");
const schedule = require("node-schedule");
const fs = require("fs");
const axios = require("axios");
const cheerio = require("cheerio");
const joke = require("./data/joke.json");
let jokeLength = joke.length;
const quote = require("./data/quote.json");
let quoteCount = quote.length;
const stories = require("./data/stories.json");
let storiesCount = stories.length;
const factsModule = require("./data/facts");
const factCount = factsModule.facts.length;
const TOEFL = require("./data/TOEFLwords"); //400 must know TOELF words
const lengthTOEFL = TOEFL.words.length;
const taoeba = require("./data/taoeba/done_taoeba.json");
const open_ipa = require("./data/open-ipa-en_US.json");
function getRandomStories(Randomeindex) {
return `*${stories[Randomeindex].title}* \n By ${stories[Randomeindex].author} \n \n ${stories[Randomeindex].story}`;
}
function getRandomQuote(Randomeindex) {
return `${quote[Randomeindex].quoteText} - *${quote[Randomeindex].quoteAuthor}*`;
}
function funFact(index) {
return factsModule.facts[index].text;
}
const app = new App({
socketMode: true,
token: Slack_KIWI_Bot_token,
appToken: Slack_KIWI_App_token,
});
app.event("message", async ({ body, event, context, client, message }) => {
let {
user,
ts,
text,
thread_ts,
subtype,
channel,
channel_type,
bot_id,
parent_user_id,
} = message;
if (onlyHandleFollowingSingleWord(text, ["hi", "hello", "hey"])) return;
if (onlyHandleIfIM(channel_type) || onlyHandleIfNotDeletingEvent(subtype)) {
return;
}
const sayGreetings = [
`how are you ? `,
`bạn có khỏe hông?! `,
`what's up?`,
`nice to see you here! `,
`how is it going?`,
`tui biết xài tiếng Việt nha.! `,
`hế nhô hế nhô!`,
`chúc một ngày tốt lành nha!`,
];
let randomsayGreetings = sayGreetings[randomIndex(sayGreetings.length)];
let botReplyGreeting = `${text} <@${message.user}>, ${randomsayGreetings}`;
try {
const result = await client.chat.postMessage({
channel: user,
text: botReplyGreeting,
});
} catch (error) {
console.error(error);
}
});
app.event("message", async ({ body, event, context, client, message }) => {
let {
user,
ts,
text,
thread_ts,
subtype,
channel,
channel_type,
bot_id,
parent_user_id,
} = message;
if (onlyHandleFollowingSingleWord(text, ["thanks", "thank"])) return;
if (onlyHandleIfIM(channel_type) || onlyHandleIfNotDeletingEvent(subtype)) {
return;
}
const thanks = [
`You are welcome <@${message.user}>! `,
`Hông có chi <@${message.user}>! `,
`Chiện nhỏ á <@${message.user}>! `,
`Okey bro <@${message.user}>! `,
`Sure <@${message.user}>! `,
`No worry <@${message.user}>! `,
];
let randomsayThanks = thanks[randomIndex(thanks.length)];
let botReplyThanks = `<@${message.user}>, ${randomsayThanks}`;
try {
const result = await client.chat.postMessage({
channel: user,
text: botReplyThanks,
});
} catch (error) {
console.error(error);
}
});
//=========================================GRE================================================================
app.event("message", async ({ message, say }) => {
let {
user,
ts,
text,
thread_ts,
subtype,
channel,
channel_type,
bot_id,
parent_user_id,
} = message;
if (onlyHandleFollowingSingleWord(text, ["v"])) return;
if (onlyHandleIfIM(channel_type) || onlyHandleIfNotDeletingEvent(subtype)) {
return;
}
fs.readFile("data/gre-vocabulary.json", "utf8", async (err, data) => {
if (err) {
console.error(err);
return;
}
const databases = JSON.parse(data);
let random = Math.floor(Math.random() * databases.length);
let word = `*${databases[random].word}* - /${databases[random].pronunciation}/ - *Synonyms:* ${databases[random].synonyms}- *Meaning:* ${databases[random].definition} - *Example: * ${databases[random].passage}`;
try {
const result = await client.chat.postMessage({
channel: user,
text: word,
});
} catch (error) {
console.error(error);
}
});
});
// ==============================weather ==============================
app.message(/(w|W)\s[a-zA-Z]+/, async ({ context, body, message, say }) => {
let {
user,
ts,
text,
thread_ts,
subtype,
channel,
channel_type,
bot_id,
parent_user_id,
} = message;
if (onlyHandleIfIM(channel_type) || onlyHandleIfNotDeletingEvent(subtype)) {
return;
}
let textInput = body.event.text;
let location = text.split(" ")[1].toLowerCase();
if (location === "hochiminh") {
location = "saigon";
}
if (location === "sg") {
location = "saigon";
}
if (location === "hcm") {
location = "saigon";
}
if (location === "hue") {
location = "hue-vietnam";
}
if (location === "danang") {
location = "da nang";
}
if (location === "phanthiet") {
location = "phan thiet";
}
if (location === "quangtri") {
location = "quang tri";
}
if (location === "dongnai") {
location = "dong nai";
}
let urlWeatherAPI = `https://api.weatherapi.com/v1/current.json?key=${WEATHER_API}&q=${location}`;
async function geWeather() {
try {
const response = await axios.get(urlWeatherAPI);
let locationResponse = `${response.data.location.name} - ${response.data.location.country}`;
let condition = response.data.current.condition.text;
let updated = response.data.current.last_updated;
let tempc = response.data.current.temp_c;
let tempf = response.data.current.temp_f;
let humidity = response.data.current.humidity;
let feelslikeC = response.data.current.feelslike_c;
let feelslikeF = response.data.current.feelslike_f;
// console.log(response);
let weatherResponse = `The weather condition in ${locationResponse}: \n
*Temperature*: ${tempc}C/${tempf}F \n
*Feel like*: ${feelslikeC}C/${feelslikeF}F \n
*Overall*: ${condition} \n
*Humidity*: ${humidity} \n
*Updated*: ${updated}
`;
const result = await client.chat.postMessage({
channel: user,
text: weatherResponse,
});
} catch (error) {
console.error(error);
}
}
geWeather();
});
// ==============================fact===============================
app.event("message", async ({ message, say }) => {
let {
user,
ts,
text,
thread_ts,
subtype,
channel,
channel_type,
bot_id,
parent_user_id,
} = message;
if (onlyHandleFollowingSingleWord(text, ["f", "ff", "fact"])) return;
if (onlyHandleIfIM(channel_type) || onlyHandleIfNotDeletingEvent(subtype)) {
return;
}
let words = funFact(randomIndex(factCount));
try {
const result = await client.chat.postMessage({
channel: user,
text: words,
});
} catch (error) {
console.error(error);
}
});
// ==============================quote===============================
app.event("message", async ({ message, say }) => {
let {
user,
ts,
text,
thread_ts,
subtype,
channel,
channel_type,
bot_id,
parent_user_id,
} = message;
if (onlyHandleFollowingSingleWord(text, ["q", "quote"])) return;
if (onlyHandleIfIM(channel_type) || onlyHandleIfNotDeletingEvent(subtype)) {
return;
}
let words = getRandomQuote(randomIndex(quoteCount));
try {
const result = await client.chat.postMessage({
channel: user,
text: words,
});
} catch (error) {
console.error(error);
}
});
// ==============================story===============================
app.event("message", async ({ message, say }) => {
let {
user,
ts,
text,
thread_ts,
subtype,
channel,
channel_type,
bot_id,
parent_user_id,
} = message;
if (onlyHandleFollowingSingleWord(text, ["s", "story"])) return;
if (onlyHandleIfIM(channel_type) || onlyHandleIfNotDeletingEvent(subtype)) {
return;
}
let words = getRandomStories(randomIndex(storiesCount));
try {
const result = await client.chat.postMessage({
channel: user,
text: words,
});
} catch (error) {
console.error(error);
}
});
// ==============================joke===============================
app.event("message", async ({ message, event }) => {
let {
user,
ts,
text,
thread_ts,
subtype,
channel,
channel_type,
bot_id,
parent_user_id,
} = message;
if (onlyHandleFollowingSingleWord(text, ["j", "joke"])) return;
if (onlyHandleIfIM(channel_type) || onlyHandleIfNotDeletingEvent(subtype)) {
return;
}
let jokeFetched = joke[randomIndex(jokeLength)];
let jokeSetup = jokeFetched.setup;
let jokePunchline = jokeFetched.punchline;
let words = `*-* ${jokeSetup}\n *-* ${jokePunchline}`;
try {
const result = await client.chat.postMessage({
channel: user,
text: words,
});
} catch (error) {
console.error(error);
}
});
// HELP-------------------
app.event("message", async ({ message, say }) => {
let {
user,
ts,
text,
thread_ts,
subtype,
channel,
channel_type,
bot_id,
parent_user_id,
} = message;
if (onlyHandleFollowingSingleWord(text, ["h", "help"])) return;
if (onlyHandleIfIM(channel_type) || onlyHandleIfNotDeletingEvent(subtype)) {
return;
}
let words = `1) Type *\`d love\`* to check the dictionary of the word \`love\`.\n 2) Type *\`v\`* to receive a random GRE vocabulary. \n 3) Type *\`f\`* to receive a random fun fact. \n 4) Type *\`j\`* to receive a random joke. \n 5) Type *\`q\`* to receive a random quote. \n 6) Type *\`w x\`* to receive a x' weather condition. Try *\`w saigon\`*.\n 7) Type *\`h\`* to receive help. Here you are. \n 8) Type *\`s\`* to receive a random story written by Aesop. Enjoy reading!. \n 9) Type *\`e\`* .to receive a random article published by Economist. Enjoy reading!. \n 10) Type *\`hi\`*, *\`hello\`* or *\`thanks\`* if you wish. \n 11) Type *\`me\`*, to set up your profile. \n 12) Type *\`follow\`* or *\`unfollow\`* and mention the users you want to follow or unfollow. \n 13) Click on the bouque icon to receive the mark of the current audio.\n 14) Send *\`"vi English sentence"\`* to translate English to Vietnamese.\n 15) Send *\`"en xin chào"\`* to translate Vietnamese to English.\n 16) Send *\`"visound xin chào"\`* to convert text to Vietnamese speech.\n 17) Send *\`"ensound hello world"\`* to convert text to English speech.\n 18) Send *\`"me_yourid"\`* to set up your own anonymous ID.\n 19) Type *\`"thanos"\`* in the thread created by you to eliminate the whole thread.\n 20) Type your transcript in the channel #8 to receive your mark when listening to the audio.\n 21) Type *\`"bee"\`* when you want to receive the transcript.`;
try {
const result = await client.chat.postMessage({
channel: user,
text: words,
});
} catch (error) {
console.error(error);
}
});
async function getDictionary(wordCheck) {
let urlDict = `https://api.dictionaryapi.dev/api/v2/entries/en/${wordCheck}`;
const dictResponse = await axios.get(urlDict);
let word = dictResponse.data[0].word;
let phonetic = dictResponse.data[0].phonetic;
// let phonetics = dictResponse.data[0].phonetics; // contain audio file
// console.log(dictResponse.data)
let origin = dictResponse.data[0].origin;
let meanings = dictResponse.data[0].meanings;
let finalmeaningReturn = [];
finalmeaningReturn.push("*`Word`*: " + word + "\n");
finalmeaningReturn.push(`*Phonetic*: /${phonetic}/\n`);
if (origin !== undefined) {
finalmeaningReturn.push(`*Origin*: ${origin}\n`);
}
finalmeaningReturn.push(`\n`);
let meaningNumber = 0;
for (eachmeaning of meanings) {
for (dinhnghia of eachmeaning.definitions) {
meaningNumber++;
finalmeaningReturn.push(
meaningNumber +
") " +
"*Definition*: " +
"*`" +
dinhnghia.definition +
"`*" +
"\n"
);
if (dinhnghia.example !== undefined) {
finalmeaningReturn.push(`*Example*: ${dinhnghia.example}\n`);
}
if (dinhnghia.synonyms.length > 0) {
finalmeaningReturn.push(
`*Synonyms*: ${dinhnghia.synonyms.join(", ")}\n`
);
}
if (dinhnghia.antonyms.length > 0) {
finalmeaningReturn.push(
`*Antonyms*: ${dinhnghia.antonyms.join(", ")}\n`
);
}
finalmeaningReturn.push(`\n`);
}
}
finalmeaningReturn = finalmeaningReturn.join("");
console.log(finalmeaningReturn);
return finalmeaningReturn;
}
app.message(/^(d|D)\s[a-zA-Z]+/, async ({ body, message, say }) => {
let {
user,
ts,
text,
thread_ts,
subtype,
channel,
channel_type,
bot_id,
parent_user_id,
} = message;
if (onlyHandleIfIM(channel_type) || onlyHandleIfNotDeletingEvent(subtype)) {
return;
}
let textInput = body.event.text;
let wordToCheck = textInput.split(" ")[1].toLowerCase();
let dataReturn = await getDictionary(wordToCheck);
try {
const result = await client.chat.postMessage({
channel: user,
text: dataReturn,
});
} catch (error) {
console.error(error);
}
});
//======================================================nytimes ======================================================
let link = "https://kiwi.vietspeak.org/api/nytimes.php";
async function getNews(url) {
const dictResponse = await axios.get(url);
let objectURL = dictResponse.data.channel.item;
return objectURL;
}
async function getItem(index) {
let linkURL = await getNews(link);
let firstUrl = linkURL[index].link;
let htmlResponse = await axios.get(firstUrl);
const $ = cheerio.load(htmlResponse.data);
let title = $("h1").html();
let article = $("[name=articleBody]").text(); //https://fidget.dev/posts/read-the-new-york-times-for-free-using-nodejs-scraper/
let news = `
*${title}*\n
${article}\n
`;
return news;
}
//=========================nytimes========================================================
app.event("message", async ({ message, say }) => {
let {
user,
ts,
text,
thread_ts,
subtype,
channel,
channel_type,
bot_id,
parent_user_id,
} = message;
if (onlyHandleIfIM(channel_type) || onlyHandleIfNotDeletingEvent(subtype)) {
return;
}
if (onlyHandleFollowingSingleWord(text, ["ny"])) return;
let dataReturnNYT = await getItem(randomIndex(10));
try {
const result = await client.chat.postMessage({
channel: user,
text: dataReturnNYT,
});
} catch (error) {
console.error(error);
}
});
// ======================== economist =====================================================
let economistAPI = "https://kiwi.vietspeak.org/api/economist.php";
let totalItem = 100;
async function getEconomistExplain(url) {
const economistResponse = await axios.get(url);
console.log(economistResponse);
let objectURL = economistResponse.data.channel.item;
return {
objectURL,
};
}
async function getItemEconomist(randomIndex) {
let ObjectLink = await getEconomistExplain(economistAPI);
let randomLink = ObjectLink.objectURL[randomIndex].link;
let publishedDate = ObjectLink.objectURL[randomIndex].pubDate;
let htmlResponse = await axios.get(randomLink);
const $ = cheerio.load(htmlResponse.data);
const headline = $(".article__headline").text();
const description = $(".article__description").text();
const articles = $(".article__body-text");
let audio = $(".react-audio-player").attr("src");
const textEconomist = [];
articles.each(function (index, element) {
textEconomist.push($(this).text());
});
let articleBodyCombined = textEconomist.join("\n\n");
const resultObject = {
headline,
description,
articleBodyCombined,
publishedDate,
randomLink,
audio,
};
return resultObject;
}
app.event("message", async ({ event, message, body, say }) => {
let { text, channel_type, user } = event;
if (onlyHandleFollowingSingleWord(text, ["e"])) return;
if (onlyHandleIfIM(channel_type)) return;
let randomIndexEconomist = randomIndex(totalItem);
let dataReturn = await getItemEconomist(randomIndexEconomist);
let sayReturn = `*\`${dataReturn.headline}\`*\n
_${dataReturn.description}_\n
${dataReturn.articleBodyCombined}\n
Published: ${dataReturn.publishedDate}\n
Link: ${dataReturn.randomLink}
`;
try {
const result = await client.chat.postMessage({
channel: user,
text: sayReturn,
});
console.log(result.ok);
} catch (error) {
console.error(error);
}
});
// =========================================================SEND NEWS FROM ECONOMIST============================================================================
async function getAudioFileAxios(fileUrl, localFile) {
//lưu ý stream không hỗ trơj promise, có thể dùng pipeline hoặc cách sau. ref: https://stackoverflow.com/questions/55374755/node-js-axios-download-file-stream-and-writefile
const writer = fs.createWriteStream(localFile);
return axios({
method: "get",
url: fileUrl,
responseType: "stream",
}).then((response) => {
//ensure that the user can call `then()` only when the file has been downloaded entirely.
return new Promise((resolve, reject) => {
response.data.pipe(writer);
let error = null;
writer.on("error", (err) => {
error = err;
writer.close();
reject(err);
});
writer.on("close", () => {
if (!error) {
resolve(true);
}
//no need to call the reject here, as it will have been called in the
//'error' stream;
});
});
});
}
let channel9__vocabulary = "C01JCFU435G";
async function postEconoMistNews() {
try {
let randomIndexEconomist = randomIndex(totalItem);
let dataReturn = await getItemEconomist(randomIndexEconomist);
let sayReturn = `${dataReturn.articleBodyCombined}\n
Published: ${dataReturn.publishedDate}\n
Link: ${dataReturn.randomLink}
`;
await getAudioFileAxios(dataReturn.audio, "economist_audio.mp3");
let thecomment = `Luyện tập tổng hợp với bản tin audio \n\n *${dataReturn.headline}*`;
const file = "economist_audio.mp3";
const result = await client.files.upload({
channels: channel9__vocabulary, //----> channels có s khi up load file
filename: uuidv4() + ".mp3",
filetype: "mp3",
title: uuidv4() + ".mp3",
initial_comment: thecomment,
file: fs.createReadStream(file),
});
let ts = result["file"]["shares"]["public"]["C01JCFU435G"][0]["ts"];
try {
const result = await client.chat.postMessage({
channel: "C01JCFU435G",
thread_ts: ts,
text: sayReturn,
});
console.log(result.ok);
} catch (error) {
console.error(error);
}
} catch (error) {
console.error(error);
}
}
const ruleEconomist = new schedule.RecurrenceRule();
ruleEconomist.second = 0;
ruleEconomist.minute = [5];
ruleEconomist.hour = [7, 11, 18];
ruleEconomist.tz = "Asia/Ho_Chi_Minh";
const jobPostEoconomist = schedule.scheduleJob(ruleEconomist, function () {
postEconoMistNews();
});
// ========================================================================================================================================
async function getIPA(wordInput) {
let urlDict = `https://api.dictionaryapi.dev/api/v2/entries/en/${wordInput}`;
const dictResponse = await axios.get(urlDict);
let word = dictResponse.data[0].word;
let phonetic = dictResponse.data[0].phonetic;
return phonetic;
}
app.event(
"app_mention",
async ({ body, event, context, client, message, say }) => {
let {
client_msg_id,
text,
user,
ts,
team,
thread_ts,
parent_user_id,
channel,
events_ts,
} = event;
let lastWord;
if (
text.includes("welcome") ||
text.includes("Welcome") ||
text.includes("WELCOME") ||
text.includes("WelCome")
) {
text = text.trim().toLowerCase().split(" ");
lastWord = text[text.length - 1];
} else {
return;
}
if (lastWord !== "welcome") {
return;
}
try {
const result = await client.chat.postMessage({
channel: channel,
thread_ts: thread_ts,
text: "Chào mừng bạn đến với *`VietSpeak`* 💪💪💪\n\n 1) Bạn có thể ghé kênh <#C01BY57F29H>: để nghe bài thu âm của các vietspeaker. Đây cũng là nơi duy nhất bạn sẽ *`ĐĂNG BÀI`* thu của mình theo yêu cầu của từng task.\n\n 2) Các kênh <#C01BXLFCUP4>, <#C01CMFUGHUG>, <#C01BXSK7URZ> và <#C01BQUD8ALE> là nơi bạn *`XEM ĐỀ`*.\n\n 3) Bạn có cần phải đăng bài ngay ở task hiện tại? Với các thành viên mới gia nhập, deadline của bạn sẽ ở task sau. Bạn cũng có thể đăng bài nhưng không bắt buộc.❤️❤️❤️\n\n 4) Mỗi task kéo dài bao lâu? 10 ngày. *`DEADLINE`* các task luôn rơi vào ngày thứ 10, 20 và ngày cuối cùng của tháng, tùy từng tháng.\n\n 5) Tôi nên thu âm bằng cách nào? Bạn nên dùng app điện thoại hoặc bất kì phần mềm nào có thể thu âm để gửi file tới kênh 2. \n\n 6) Bạn có thể gửi file cho bot <@U01EVJFP0U8> để check điểm trước khi gửi bài. \n\n 7) Sau khi đăng bài trên <#C01BY57F29H>, bạn cần *`NHẬN XÉT`* cho 2 bài gần nhất, đăng trước bài đăng của bạn.\n\n 8) Bạn nhớ đổi tên file theo đúng form quy định để bot có thể nhận diện và phân loại bài dễ dàng hơn. Ví dụ: Ronaldo__Messi-task50-red-0109 (name-task-color-date_submitted).\n\n 9) Bạn còn có thể đăng bài, tương tác, 'chát chít' với các vietspeakers tại các kênh 7 -> 14. \n\n 10) Bạn không nên đăng các bài thu của mình liền nhau, nên cách nhau ít nhất 2 bài thu âm khác, để các thành viên có thể nhận xét giúp bạn \n\n Tui là <@U01HEMMPVK2>, bạn có thể gửi tin nhắn riêng như 'hi' hoặc 'help' tới tui. Tui cập nhật tình hình thời tiết, tin tức bốn phương, giúp tra từ điển, cung cấp truyện cười, quote, truyện ngắn tự động 🔥🔥🔥! \n\n Đồng đội của tui <@U01EVJFP0U8> cũng giúp bạn rất nhiều việc. Bạn có thể gửi 'help' tới ổng bot này để xem hướng dẫn!",
});
console.log(result.ok);
} catch (error) {
console.error(error);
}
}
);
app.event(
"app_mention",
async ({ body, event, context, client, message, say }) => {
let {
client_msg_id,
text,
user,
ts,
team,
thread_ts,
parent_user_id,
channel,
events_ts,
} = event;
let lastWord;
if (
text.includes("faq") ||
text.includes("FAQ") ||
text.includes("Faq") ||
text.includes("FAq")
) {
text = text.trim().toLowerCase().split(" ");
lastWord = text[text.length - 1];
} else {
return;
}
if (lastWord !== "faq") {
return;
}
try {
const result = await client.chat.postMessage({
channel: channel,
thread_ts: thread_ts,
text: "Hệ thống FAQ của *`VietSpeak`* 💪💪💪\n\n 1) *`Tôi có thể giới thiệu link để bạn bè đăng ký tại địa chỉ nào? `*.\n\n Bạn có thể giới thiệu địa chỉ: https://vietspeak.org hoặc https://register.vietspeak.org \n\n 2) *`Nếu phải đăng ký lại, tôi có thể sử dụng địa chỉ email cũ không?`* \n\n Okey nhé, miễn là bạn vẫn sở hữu email đó. 🥰 \n\n 3) *`Tôi có thể sử dụng VietSpeak trên các hệ thống, nền tảng nào ?`* \n\n Bạn có thể sử dụng app Slack tải từ Apple Store hoặc Google Play, đăng nhập bằng tài khoản đã đăng kí cùng VietSpeak. Đa số các thành viên của VietSpeak còn sử dụng nền web với những trải nghiệm thú vị. Bạn có thể truy cập tại https://slack.vietspeak.org. \n\n4) *`Tôi phải làm việc gì bây giờ khi mới tham gia VietSpeak?`* \n\n Bạn cần thu âm, đính kèm file gửi tới kênh <#C01BY57F29H> theo deadline mỗi task. Bạn còn phải nhận xét cho 2 bài đăng liền kề trước bài đăng của bạn. \n\n 5) *`Tôi có cần phải đăng bài thu của mình ngay không khi deadline của task hiện tại đã cận kề?`* \n\n Với các thành viên mới tham gia, deadline của bạn sẽ ở task kế tiếp. Bạn có thể thu xếp để tham gia ngay task hiện tại nếu muốn.❤️🔥 \n\n 6) *`Ai sẽ giám sát việc đăng bài, thu bài của tôi? `* \n\n Hệ thống bot sẽ tự động giám sát việc đăng bài của các thành viên, có thể tự động đánh dấu các thành viên không nộp bài. \n\n 7) *`Tôi được biết VietSpeak có hệ thống đánh giá bài đọc bằng AI?`* \n\n Đúng vậy, bài đọc của bạn sẽ được hệ thống bot đánh giá điểm tự động. Điểm càng cao thì khả năng bài đọc của bạn sẽ được người bản xứ nghe càng dễ dàng hơn. \n\n 8) *`Tôi có thể nhờ bot <@U01EVJFP0U8> đánh giá bài đọc trước khi đăng lên channel <#C01BY57F29H> hay không?`* \n\n Tuyệt vời luôn, bạn có thể upload file và gửi riêng tới bot để luyện tập, trước khi gửi file cuối cùng lên channel <#C01BY57F29H> \n\n 9) *`Tôi có thể tham gia nhiều level mỗi task được hay không?`* \n\n Okey luôn bạn nhé. Luyện tập ở nhiều level giúp chúng ta tiến bộ nhanh hơn. \n\n 10) *`Tôi cần liên hệ với ai khi muốn nhận được sự hỗ trợ?`* \n\n Bạn có thể nhắn tin 'h' hoặc 'help' tới bot này <@U01HEMMPVK2>. \n\n 11) *`Các quy tắc ứng xử của VietSpeak ?`* \n\n a) Không thảo luận các nội dung không phù hợp, không có ích cho phần lớn các thành viên: chính trị, tôn giáo, vũ khí đạn dược, giới tính, buôn lậu... \n\n b) Không đả kích, khích bác, coi thường, khinh bỉ các thành viên khác trong nhóm. Không sử dụng các từ ngữ thô lậu. Không sử dụng các cách hành văn, hình ảnh mang tính thô lậu. Không khí thân thiện và tử tế của Việt Speak cần được gìn giữ, và, chắc chúng ta đều có thể đồng ý, rằng nó - cái cảm giác ấy - không miễn phí, hoặc không miễn phí một cách dễ dãi. Nó cần được bảo vệ. \n\n c) Mọi người đều bình đẳng. Tuy nhiên, các admin có trách nhiệm quản trị và do đó, được quyền xử lý cho các trường hợp sai luật. \n\n d) Không quảng cáo. \n\n e) Tất cả các trường hợp xử lý đều được công khai, nhưng sẽ không báo trước. \n\n f) Đội ngũ quản trị hiện tại gồm Trung Hiếu, dvbui, Hieu Nguyen và William Shakehand \n\n g) Nếu có thắc mắc, xin liên hệ bằng tin nhắn hoặc đăng bài hỏi đáp ở channel phù hợp.",
});
console.log(result.ok);
} catch (error) {
console.error(error);
}
}
);
// ==================================================bee===============================================
async function getSpelling(indexID) {
let randomIndex;
if (indexID === null) {
const AirTable = [
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,
];
const lengthAirTable = AirTable.length;
randomIndex = Math.ceil(Math.random() * lengthAirTable);
} else {
randomIndex = Math.ceil(indexID / 100);
}
console.log(randomIndex);
if (!Number.isInteger(randomIndex)) {
return;
}
let urlArray = [
"appyDxosPktnRYGDm",
"appVGBkxhCwEKKbpc",
"appQkIQ7Dlg7BroD3",
"app9n1xhg6YxzYI7p",
"appEmqFGDFt1M55Kv",
];
let tableIndex;
if (randomIndex <= 12) {
tableIndex = urlArray[0];
}
if (randomIndex > 12 && randomIndex <= 24) {
tableIndex = urlArray[1];
}
if (randomIndex > 24 && randomIndex <= 36) {
tableIndex = urlArray[2];
}
if (randomIndex > 36 && randomIndex <= 46) {
tableIndex = urlArray[3];
}
if (randomIndex > 46 && randomIndex <= 58) {
tableIndex = urlArray[4];
}
let urlAirTable = `https://api.airtable.com/v0/${tableIndex}/listening-challenge${randomIndex}?api_key=${AirTable_Api_key}`;
const response = await axios.get(urlAirTable);
const records = response.data.records;
function getMinMax(number) {
const data = {
min: number * 100 - 99,
max: number * 100,
};
return data;
}
function getRndInteger(min, max) {
return Math.floor(Math.random() * (max - min + 1)) + min;
}
if (indexID === null) {
indexID = getRndInteger(
getMinMax(randomIndex).min,
getMinMax(randomIndex).max
);
}
const spelling = records.find((element) => element.fields.index === indexID);