-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathbot.php
1385 lines (1103 loc) · 48.5 KB
/
bot.php
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
<?php
include "config.php";
$db = new SQLite3(DB_FILE);
function initDatabase() {
global $db;
$db->exec("CREATE TABLE IF NOT EXISTS pappatoie (
id INTEGER PRIMARY KEY AUTOINCREMENT,
pappatoia TEXT NOT NULL UNIQUE
)");
$db->exec("CREATE TABLE IF NOT EXISTS immagini_pappatoie (
id INTEGER PRIMARY KEY AUTOINCREMENT,
pappatoia_id INTEGER,
immagine TEXT,
indirizzo TEXT,
telefono TEXT,
FOREIGN KEY (pappatoia_id) REFERENCES pappatoie(id)
)");
$db->exec("CREATE TABLE IF NOT EXISTS ordini (
id INTEGER PRIMARY KEY AUTOINCREMENT,
data DATE NOT NULL,
pappatoia INTEGER,
ordinante INTEGER,
ritirante INTEGER,
FOREIGN KEY (pappatoia) REFERENCES pappatoie(id)
)");
$db->exec("CREATE TABLE IF NOT EXISTS elementi_ordini (
id INTEGER PRIMARY KEY AUTOINCREMENT,
id_ordine INTEGER,
utente INTEGER,
descrizione TEXT,
FOREIGN KEY (id_ordine) REFERENCES ordini(id)
)");
$stmt = $db->prepare("PRAGMA table_info(ordini);");
$result = $stmt->execute();
$colonnaChiusoEsiste = false;
while(!$colonnaChiusoEsiste && $row = $result->fetchArray(SQLITE3_ASSOC)) {
if($row[0] == 'chiuso') {
$colonnaChiusoEsiste = true;
break;
}
}
if(!$colonnaChiusoEsiste) {
$db->exec("ALTER TABLE ordini
ADD chiuso INTEGER NOT NULL DEFAULT 0
");
}
}
initDatabase();
function makeAPIRequest($method, $parameters) {
$url = "https://api.telegram.org/bot" . BOT_TOKEN . "/" . $method;
$ch = curl_init();
curl_setopt($ch, CURLOPT_URL, $url);
curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);
curl_setopt($ch, CURLOPT_POST, true);
// Gestione speciale per l'invio di file
if (isset($parameters['photo']) && $parameters['photo'] instanceof CURLFile) {
curl_setopt($ch, CURLOPT_POSTFIELDS, $parameters);
} else {
curl_setopt($ch, CURLOPT_POSTFIELDS, json_encode($parameters));
curl_setopt($ch, CURLOPT_HTTPHEADER, ['Content-Type: application/json']);
}
$response = curl_exec($ch);
if (curl_errno($ch)) {
error_log('Curl error: ' . curl_error($ch));
return false;
}
curl_close($ch);
$result = json_decode($response, true);
if (!$result['ok']) {
error_log("API Error: " . print_r($result, true));
return false;
}
return $result;
}
function sendPrivateResponse($userId, $text, $chatId = null) {
$privateChat = makeAPIRequest('sendMessage', [
'chat_id' => $userId,
'text' => $text
]);
if (!$privateChat || !$privateChat['ok']) {
// Log dell'errore per debug
error_log("Failed to send private message to user $userId: " . json_encode($privateChat));
// Se l'invio del messaggio privato fallisce e abbiamo l'ID del gruppo, informiamo l'utente nel gruppo
if ($chatId) {
$groupMessage = makeAPIRequest('sendMessage', [
'chat_id' => $chatId,
'text' => "Non sono riuscito a inviarti un messaggio privato. Per favore, avvia una chat con me cliccando su @rootbotbot e poi su 'Avvia', quindi riprova."
]);
if (!$groupMessage || !$groupMessage['ok']) {
error_log("Failed to send group message to chat $chatId: " . json_encode($groupMessage));
}
}
return false;
}
return true;
}
// Assicurati che la directory esista
if (!file_exists(IMAGE_SAVE_PATH)) {
mkdir(IMAGE_SAVE_PATH, 0755, true);
}
function saveImage($file_id, $pappatoia_name) {
$file_name = preg_replace('/[^A-Za-z0-9\-]/', '_', $pappatoia_name) . ".jpg";
$file_path = IMAGE_SAVE_PATH . $file_name;
$file_info = makeAPIRequest('getFile', ['file_id' => $file_id]);
if ($file_info['ok']) {
$file_url = "https://api.telegram.org/file/bot" . BOT_TOKEN . "/" . $file_info['result']['file_path'];
$image_content = file_get_contents($file_url);
if (file_put_contents($file_path, $image_content)) {
return $file_name; // Ritorniamo solo il nome del file, non il percorso completo
}
}
return false;
}
function handle_image($message) {
global $db;
$chat_id = $message['chat']['id'];
// Verifica lo stato dell'utente
$stmt = $db->prepare("SELECT state, data FROM user_states WHERE chat_id = :chat_id");
$stmt->bindValue(':chat_id', $chat_id, SQLITE3_INTEGER);
$result = $stmt->execute();
$row = $result->fetchArray(SQLITE3_ASSOC);
if ($row && $row['state'] == 'waiting_images') {
$pappatoia_id = $row['data'];
$file_id = $message['photo'][count($message['photo']) - 1]['file_id'];
$image_file = saveImage($file_id, $pappatoia_id . "_" . uniqid());
if ($image_file) {
// Aggiungi l'immagine al database
$stmt = $db->prepare("INSERT INTO immagini_pappatoie (pappatoia_id, immagine) VALUES (:pappatoia_id, :image)");
$stmt->bindValue(':pappatoia_id', $pappatoia_id, SQLITE3_INTEGER);
$stmt->bindValue(':image', $image_file, SQLITE3_TEXT);
$stmt->execute();
return "Immagine del menu salvata con successo! Invia altre immagini o /fine per terminare.";
} else {
return "Si è verificato un errore nel salvataggio dell'immagine. Riprova.";
}
}
return null; // Non era in attesa di immagini, ignora
}
function finish_adding_images($chat_id) {
global $db;
$stmt = $db->prepare("SELECT state, data FROM user_states WHERE chat_id = :chat_id");
$stmt->bindValue(':chat_id', $chat_id, SQLITE3_INTEGER);
$result = $stmt->execute();
$row = $result->fetchArray(SQLITE3_ASSOC);
if ($row && $row['state'] == 'waiting_images') {
// Rimuovi lo stato dell'utente
$db->exec("DELETE FROM user_states WHERE chat_id = $chat_id");
return "Hai terminato di aggiungere immagini al menu. Grazie!";
}
return "Non stavi aggiungendo immagini a nessun menu.";
}
$update = json_decode(file_get_contents('php://input'), true);
file_put_contents('debug.log', print_r($update, true) . "\n\n", FILE_APPEND);
function processMessage($message) {
$chatID = $message['chat']['id'];
$text = $message['text'] ?? '';
$chatType = $message['chat']['type'];
$fromId = $message['from']['id'];
$firstName = $message['from']['first_name'] ?? 'Utente';
$userName = $message['from']['first_name'] . ' ' . ($message['from']['last_name'] ?? '');
$response = null;
if ($text == '/start' || $text == '/start@rootbotbot') {
$response = _start($chatType);
} elseif ($text == '/help' || $text == '/help@rootbotbot') {
$response = _help();
} elseif ($text == '/info' || $text == '/info@rootbotbot') {
$response = _info($chatID, $chatType);
} elseif ($text == '/regole' || $text == '/regole@rootbotbot') {
$response = _regole();
} elseif (strpos($text, '/mangerei') === 0) {
$response = _mangerei($text, $fromId, $userName, $chatID);
} elseif ($text == '/lista' || $text == '/lista@rootbotbot') {
$response = _lista();
} elseif ($text == '/ordino' || $text == '/ordino@rootbotbot') {
$response = _ordino($fromId, $userName);
} elseif (strpos($text, '/ordina') === 0) {
$response = _ordina($text, $chatID);
} elseif ($text == '/chiudi_ordine') {
$response = _chiudi_ordine($fromId, $userName);
} elseif ($text == '/ritiro' || $text == '/ritiro@rootbotbot') {
$response = _ritiro($fromId, $userName);
} elseif (strpos($text, '/ritira') === 0) {
$response = _ritira($text, $chatID);
}elseif ($text == '/elenco_asporto' || $text == '/elenco_asporto@rootbotbot') {
$response = elenco_pappatoie($chatID);
} elseif ($text == '/asporto' || $text == '/asporto@rootbotbot') {
$response = _pappatoia($chatID);
} elseif (strpos($text, '/nuovo_asporto') === 0) {
$response = nuova_pappatoia($chatID, $message['message_id'], $text);
} elseif (strpos($text, '/menu') === 0) {
$response = menu($text, $chatID, $message['from']['id'], $message['message_id']);
} elseif ($text == '/fine' || $text == '/fine@rootbotbot') {
$response = finish_adding_images($chatID);
} elseif ($text == '/annullo' || $text == '/annullo@rootbotbot') {
$response = _annullo($fromId, $userName);
} elseif (isset($message['photo'])) {
$response = handle_image($message);
} elseif ($text == '/elimina_asporto') {
$response = elimina_pappatoia($chatID, $fromId);
} elseif (preg_match('/@root\b/', $text)) {
$response = _ai($chatID, $chatType, $text);
} elseif (strpos($text, '/') === 0) {
$response = "Il comando che hai inserito non lo conosco, controlla meglio cosa hai digitato";
}
// Invia la risposta solo se è stata impostata
if ($response !== null) {
makeAPIRequest('sendMessage', [
'chat_id' => $chatID,
'text' => $response,
'parse_mode' => 'HTML',
'reply_to_message_id' => $message['message_id']
]);
}
}
if (isset($update['message'])) {
processMessage($update['message']);
} elseif (isset($update['edited_message'])) {
processMessage($update['edited_message']);
} elseif (isset($update['callback_query'])) {
$callbackQuery = $update['callback_query'];
$data = $callbackQuery['data'];
if (strpos($data, 'seleziona_pappatoia:') === 0) {
gestisci_selezione_pappatoia($callbackQuery);
} elseif (strpos($data, 'delete_pappatoia:') === 0) {
handle_delete_pappatoia($callbackQuery);
} elseif (strpos($data, 'confirm_delete_pappatoia:') === 0) {
confirm_delete_pappatoia($callbackQuery);
} elseif ($data === 'cancel_delete_pappatoia') {
cancel_delete_pappatoia($callbackQuery);
}elseif (strpos($data, 'show_pappatoia_images:') === 0) {
handle_show_pappatoia_images($callbackQuery);
}
}
http_response_code(200);
function _start($chatType){
if ($chatType == 'private') {
return "Ciao! Sono il bot del root. usa /help per vedere cosa posso fare";
}else{
return "Ciao a tutti! Sono il bot di questo gruppo. Usate /help per vedere cosa posso fare.";
}
}
function _help(){
return "Ecco cosa posso fare:
/info - Informazioni sul gruppo
/regole - Mostra le regole del gruppo
@root seguito da un messaggio per parlare con me (è implemetanto sommariamente, usa ollama ma per ora gira sul PC di Lamberto per cui quando il PC è spento il bot non risponde)
Posso aiutare per raccogliere gli ordini per le cene al root, ecco i comandi:
/mangerei - crea nuovo ordine oppure aggiungi elemento all'ordine odierno
/annullo - elimini la tua pietanza dall'ordine, se tutti annullano l'ordine viene eliminato
/lista - mostra la lista delle pietanza di cui è composto l'ordine
/ordino - ti offri per telefonare e piazzare l'ordine presso l'asporto scelto
/ordina @utente - designi una persona per telefonare e piazzare l'ordine presso l'asporto scelto
/ritiro - ti offri per ritirare le pietanze presso l'asporto scelto
/ritira @utente - designi una persona per ritirare le pietanze presso l'asporto scelto
/elenco_asporto - mostra i locali da asporto predefiniti e permette di consultarne i menù
/asporto - per scegliere da quale locale da asporto si ordinerà il cibo
/nuovo_asporto - aggiungi un nuovo locale da asporto
/menu - mostra il menù dell'asporto scelto per l'ordine in corso
/elimina_asporto - elimina un locale da asporto dai predefiniti (solo per amministratori)";
}
function _info($chatID, $chatType){
if ($chatType == 'private') {
return "Ma che info vuoi che siamo solo io e te?";
}else{
$chatInfo = makeAPIRequest('getChat', ['chat_id' => $chatID]);
$memberCount = makeAPIRequest('getChatMemberCount', ['chat_id' => $chatID]);
return "Informazioni sul gruppo:\nNome: " . $chatInfo['result']['title'] . "\nMembri: " . $memberCount['result'];
}
}
function _regole(){
return "Regole del gruppo:
0. Si incomincia a contare da 0
1. Parlate di quello che vi pare eccetto:
1. Niente pseudoscienze
2. Niente complottismi
3. Non si usano messaggi vocali, i vocali sono il male assoluto. Ogni vocale verrà utilizzato per addestrare una voce artificiale per doppiare i porno LGBT+
4. Usa tab per indentare il codice, non spazi multipli, no scherzo, il codice è il tuo, fai come ti pare, però se usi gli spazi sappi che sei una brutta persona :-D ";
}
function _ai($chatID, $chatType, $message) {
$ollamaUrl = OLLAMA_URL;
$model = OLLAMA_MODEL;
// Rimuovi "@root" dal messaggio
$prompt = trim(str_replace('@root', '', $message));
$data = json_encode([
'model' => $model,
'prompt' => $prompt,
'stream' => true
]);
$ch = curl_init($ollamaUrl);
curl_setopt($ch, CURLOPT_POST, 1);
curl_setopt($ch, CURLOPT_POSTFIELDS, $data);
curl_setopt($ch, CURLOPT_HTTPHEADER, ['Content-Type: application/json']);
curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);
$response = '';
$callback = function($ch, $data) use (&$response) {
$complete_line = json_decode($data, true);
if ($complete_line && isset($complete_line['response'])) {
$response .= $complete_line['response'];
}
return strlen($data);
};
curl_setopt($ch, CURLOPT_WRITEFUNCTION, $callback);
curl_exec($ch);
if (curl_errno($ch)) {
return "Si è verificato un errore durante la comunicazione con l'AI: " . curl_error($ch);
}
curl_close($ch);
// Tronca la risposta se supera il limite di caratteri di Telegram
if (mb_strlen($response) > 4096) {
$response = mb_substr($response, 0, 4093) . '...';
}
return $response;
}
function _mangerei($text, $userId, $userName, $chatID) {
global $db;
$parts = explode(' ', $text, 2);
if (count($parts) < 2) {
return "Per favore, usa /mangerei seguito da quello che vorresti mangiare.";
}
$item = $parts[1];
// Verifica se esiste un ordine attivo per oggi
$stmt = $db->prepare("SELECT id, ordinante, ritirante, pappatoia, chiuso FROM ordini WHERE date(data) = date('now') LIMIT 1");
$result = $stmt->execute();
$row = $result->fetchArray(SQLITE3_ASSOC);
if($row['chiuso'] == 1) {
return "L'ordine di oggi è già stato chiuso. Non è più possibile ordinare pietanze.";
}
if (!$row) {
// Crea un nuovo ordine per oggi
$stmt = $db->prepare("INSERT INTO ordini (data) VALUES (date('now'))");
$stmt->execute();
$orderId = $db->lastInsertRowID();
// Aggiungi l'elemento all'ordine
$stmt = $db->prepare("INSERT INTO elementi_ordini (id_ordine, utente, descrizione) VALUES (:orderId, :userName, :item)");
$stmt->bindValue(':orderId', $orderId, SQLITE3_INTEGER);
$stmt->bindValue(':userName', $userName, SQLITE3_TEXT);
$stmt->bindValue(':item', $item, SQLITE3_TEXT);
$stmt->execute();
// Richiedi la selezione della pappatoia
return richiedi_selezione_pappatoia($orderId, $item, $chatID);
} else {
$orderId = $row['id'];
$pappatoia = $row['pappatoia'];
// Controlla se l'utente ha già un ordine per oggi
$stmt = $db->prepare("SELECT id FROM elementi_ordini WHERE id_ordine = :orderId AND utente = :userName");
$stmt->bindValue(':orderId', $orderId, SQLITE3_INTEGER);
$stmt->bindValue(':userName', $userName, SQLITE3_TEXT);
$result = $stmt->execute();
$existingOrder = $result->fetchArray(SQLITE3_ASSOC);
if ($existingOrder) {
// Aggiorna l'ordine esistente
$stmt = $db->prepare("UPDATE elementi_ordini SET descrizione = :item WHERE id = :id");
$stmt->bindValue(':item', $item, SQLITE3_TEXT);
$stmt->bindValue(':id', $existingOrder['id'], SQLITE3_INTEGER);
$stmt->execute();
$message = "Ho aggiornato il tuo ordine a '$item'.";
} else {
// Aggiungi il nuovo elemento a elementi_ordini
$stmt = $db->prepare("INSERT INTO elementi_ordini (id_ordine, utente, descrizione) VALUES (:orderId, :userName, :item)");
$stmt->bindValue(':orderId', $orderId, SQLITE3_INTEGER);
$stmt->bindValue(':userName', $userName, SQLITE3_TEXT);
$stmt->bindValue(':item', $item, SQLITE3_TEXT);
$stmt->execute();
$message = "Ho aggiunto '$item' all'ordine di oggi per te.";
}
// Aggiungi informazioni sulla pappatoia selezionata
if ($pappatoia) {
$stmt = $db->prepare("SELECT pappatoia FROM pappatoie WHERE id = :pappatoiaId");
$stmt->bindValue(':pappatoiaId', $pappatoia, SQLITE3_INTEGER);
$result = $stmt->execute();
$pappatoiaInfo = $result->fetchArray(SQLITE3_ASSOC);
$message .= "\nAsporto selezionato: " . $pappatoiaInfo['pappatoia'];
} else {
$message .= "\nNessun asporto selezionato. Usa /asporto per selezionarne uno.";
}
return $message;
}
}
function richiedi_selezione_pappatoia($orderId, $item, $chatID) {
global $db;
$stmt = $db->prepare("SELECT id, pappatoia FROM pappatoie ORDER BY pappatoia");
$result = $stmt->execute();
$keyboard = [];
while ($row = $result->fetchArray(SQLITE3_ASSOC)) {
$keyboard[] = [['text' => $row['pappatoia'], 'callback_data' => "seleziona_pappatoia:{$orderId}:{$row['id']}"]];
}
$replyMarkup = [
'inline_keyboard' => $keyboard
];
makeAPIRequest('sendMessage', [
'chat_id' => $chatID,
'text' => "Ho aggiunto '$item' all'ordine. Per favore, seleziona l'asporto per questo ordine:",
'reply_markup' => json_encode($replyMarkup)
]);
return null; // Ritorniamo null perché abbiamo già inviato il messaggio
}
function gestisci_selezione_pappatoia($callbackQuery) {
global $db;
$data = explode(':', $callbackQuery['data']);
$orderId = $data[1];
$pappatoiaId = $data[2];
$stmt = $db->prepare("UPDATE ordini SET pappatoia = :pappatoiaId WHERE id = :orderId");
$stmt->bindValue(':pappatoiaId', $pappatoiaId, SQLITE3_INTEGER);
$stmt->bindValue(':orderId', $orderId, SQLITE3_INTEGER);
$stmt->execute();
$stmt = $db->prepare("SELECT pappatoia FROM pappatoie WHERE id = :pappatoiaId");
$stmt->bindValue(':pappatoiaId', $pappatoiaId, SQLITE3_INTEGER);
$result = $stmt->execute();
$pappatoiaInfo = $result->fetchArray(SQLITE3_ASSOC);
makeAPIRequest('answerCallbackQuery', [
'callback_query_id' => $callbackQuery['id'],
'text' => "Asporto '{$pappatoiaInfo['pappatoia']}' selezionato per l'ordine."
]);
makeAPIRequest('editMessageText', [
'chat_id' => $callbackQuery['message']['chat']['id'],
'message_id' => $callbackQuery['message']['message_id'],
'text' => "Asporto '{$pappatoiaInfo['pappatoia']}' selezionato per l'ordine."
]);
}
function _lista() {
global $db;
$stmt = $db->prepare("
SELECT o.id, o.data, o.ordinante, o.ritirante, o.pappatoia,
e.utente, e.descrizione,
p.pappatoia as nome_pappatoia, p.indirizzo, p.telefono
FROM ordini o
LEFT JOIN elementi_ordini e ON o.id = e.id_ordine
LEFT JOIN pappatoie p ON o.pappatoia = p.id
WHERE date(o.data) = date('now')
");
$result = $stmt->execute();
$ordine = null;
$items = [];
while ($row = $result->fetchArray(SQLITE3_ASSOC)) {
if ($ordine === null) {
$ordine = [
'id' => $row['id'],
'data' => $row['data'],
'ordinante' => $row['ordinante'],
'ritirante' => $row['ritirante'],
'pappatoia' => $row['nome_pappatoia'],
'indirizzo' => $row['indirizzo'],
'telefono' => $row['telefono']
];
}
if ($row['utente'] && $row['descrizione']) {
$items[] = "{$row['utente']}: {$row['descrizione']}";
}
}
if ($ordine === null) {
return "Non c'è un ordine in corso al momento, creane uno con il comando /mangerei seguito dalla pietanza desiderata.";
} else {
$data_formattata = DateTime::createFromFormat('Y-m-d', $ordine['data'])
->format('d/m/Y');
$response = "Ordine di oggi {$data_formattata}:\n\n";
if ($ordine['pappatoia']) {
$response .= "🍽 Asporto: {$ordine['pappatoia']}\n";
if ($ordine['indirizzo']) {
$response .= "🏠 Indirizzo: {$ordine['indirizzo']}\n";
}
if ($ordine['telefono']) {
$response .= "📞 Telefono: {$ordine['telefono']}\n";
}
$response .= "\n";
} else {
$response .= "🍽 Nessun asporto selezionato. Usa /asporto per selezionarne uno.\n\n";
}
// TODO: aggiungere comando per ordinare per conto di qualcun altro, attivabile solo da amministratori del gruppo. /mangerebbe {CHI} {COSA}
if ($ordine['ordinante']) {
$response .= "🛒 Ordina: {$ordine['ordinante']}\n";
} else {
$response .= "🛒 Nessuno si è ancora offerto di ordinare. Usa /ordino per offrirti!\n";
}
if ($ordine['ritirante']) {
$response .= "🚚 Ritira: {$ordine['ritirante']}\n";
} else {
$response .= "🚚 Nessuno si è ancora offerto di ritirare. Usa /ritiro per offrirti!\n";
}
$response .= "\nPietanze ordinate:\n";
if (empty($items)) {
$response .= "Nessuna pietanza ordinata finora.";
} else {
$response .= implode("\n", $items);
}
return $response;
}
}
function _ordino($userId, $userName) {
global $db;
// Verifica se esiste un ordine attivo per oggi
$stmt = $db->prepare("SELECT id, ordinante, chiuso FROM ordini WHERE date(data) = date('now') LIMIT 1");
$result = $stmt->execute();
$row = $result->fetchArray(SQLITE3_ASSOC);
if (!$row) {
// Crea un nuovo ordine per oggi
$stmt = $db->prepare("INSERT INTO ordini (data, ordinante) VALUES (date('now'), :userName)");
$stmt->bindValue(':userName', $userName, SQLITE3_TEXT);
$stmt->execute();
return "Grazie per esserti offerto per telefonare all'asporto designato e piazzare l'ordine di oggi. Ricordati di chiudere l'ordine con /chiudi_ordine prima di ordinare.";
} else {
if($row['chiuso'] == 1) {
return "L'ordine di oggi è già stato chiuso. Non è più possibile offrirsi di ordinare.";
}
$orderId = $row['id'];
$currentOrdinante = $row['ordinante'];
if ($currentOrdinante) {
$message = "Il compito era precedentemente assegnato a $currentOrdinante. ";
} else {
$message = "";
}
// Aggiorna l'ordinante
$stmt = $db->prepare("UPDATE ordini SET ordinante = :userName WHERE id = :orderId");
$stmt->bindValue(':userName', $userName, SQLITE3_TEXT);
$stmt->bindValue(':orderId', $orderId, SQLITE3_INTEGER);
$stmt->execute();
return $message . "Grazie per esserti offerto per telefonare all'asporto designato e piazzare l'ordine di oggi.";
}
}
function _ritiro($userId, $userName) {
global $db;
// Verifica se esiste un ordine attivo per oggi
$stmt = $db->prepare("SELECT id, ritirante FROM ordini WHERE date(data) = date('now') LIMIT 1");
$result = $stmt->execute();
$row = $result->fetchArray(SQLITE3_ASSOC);
if (!$row) {
// Crea un nuovo ordine per oggi
$stmt = $db->prepare("INSERT INTO ordini (data, ritirante) VALUES (date('now'), :userName)");
$stmt->bindValue(':userName', $userName, SQLITE3_TEXT);
$stmt->execute();
return "Grazie per esserti offerto per ritirare l'ordine di oggi presso l'asporto designato.";
} else {
$orderId = $row['id'];
$currentRitirante = $row['ritirante'];
if ($currentRitirante) {
$message = "Il compito era precedentemente assegnato a $currentRitirante. ";
} else {
$message = "";
}
// Aggiorna il ritirante
$stmt = $db->prepare("UPDATE ordini SET ritirante = :userName WHERE id = :orderId");
$stmt->bindValue(':userName', $userName, SQLITE3_TEXT);
$stmt->bindValue(':orderId', $orderId, SQLITE3_INTEGER);
$stmt->execute();
return $message . "Grazie per esserti offerto per ritirare l'ordine di oggi presso l'asporto designato.";
}
}
function is_valid_phone_number($phone) {
// Rimuovi tutti i caratteri non ammessi
$cleaned_phone = preg_replace('/[^\d\s+\-\/]/', '', $phone);
// Verifica che il numero contenga almeno una cifra
if (!preg_match('/\d/', $cleaned_phone)) {
return false;
}
// Verifica che il numero non sia composto solo da caratteri speciali
if (strlen(preg_replace('/[\s+\-\/]/', '', $cleaned_phone)) == 0) {
return false;
}
return true;
}
function _chiudi_ordine($userId, $username) {
global $db;
// Verifica se esiste un ordine attivo per oggi
$stmt = $db->prepare("SELECT id FROM ordini WHERE date(data) = date('now') AND chiuso = 0 LIMIT 1");
$result = $stmt->execute();
$row = $result->fetchArray(SQLITE3_ASSOC);
if (!$row) {
return "Non c'è un ordine attivo per oggi.";
}
$orderId = $row['id'];
// Aggiorna lo stato dell'ordine a "chiuso"
$stmt = $db->prepare("UPDATE ordini SET chiuso = 1 WHERE id = :orderId");
$stmt->bindValue(':orderId', $orderId, SQLITE3_INTEGER);
$stmt->execute();
return "L'ordine di oggi è stato chiuso. Da questo momento non è più possibile ordinare pietanze.";
}
function nuova_pappatoia($chat_id, $message_id, $text) {
global $db;
// Rimuove il comando iniziale
$text = preg_replace('/^\/nuovo_asporto(@\w+)?\s+/', '', $text);
// Divide il testo in parti usando la virgola come separatore
$parts = array_map('trim', explode(',', $text));
if (count($parts) < 3) {
return "Uso corretto: /nuovo_asporto Nome, Indirizzo, Telefono";
}
// Trimma e normalizza gli spazi nel nome della pappatoia
$pappatoia_name = preg_replace('/\s+/', ' ', trim($parts[0]));
$indirizzo = trim($parts[1]);
$telefono = trim($parts[2]);
if (empty($pappatoia_name) || empty($indirizzo) || empty($telefono)) {
return "Tutti i campi (nome, indirizzo, telefono) sono obbligatori.";
}
// Verifica il formato del numero di telefono
if (!is_valid_phone_number($telefono)) {
return "Il numero di telefono non è valido. Deve contenere numeri e può includere spazi, '+', '-' e '/'.";
}
// Verifica se la pappatoia esiste già (case-insensitive e normalizzato)
$stmt = $db->prepare("SELECT id FROM pappatoie WHERE LOWER(REPLACE(pappatoia, ' ', '')) = LOWER(REPLACE(:name, ' ', ''))");
$stmt->bindValue(':name', $pappatoia_name, SQLITE3_TEXT);
$result = $stmt->execute();
if ($result->fetchArray()) {
return "Questo asporto esiste già. Scegli un nome diverso.";
}
// Inserisci la nuova pappatoia nel database
$stmt = $db->prepare("INSERT INTO pappatoie (pappatoia, indirizzo, telefono) VALUES (:name, :indirizzo, :telefono)");
$stmt->bindValue(':name', $pappatoia_name, SQLITE3_TEXT);
$stmt->bindValue(':indirizzo', $indirizzo, SQLITE3_TEXT);
$stmt->bindValue(':telefono', $telefono, SQLITE3_TEXT);
$stmt->execute();
$pappatoia_id = $db->lastInsertRowID();
// Richiedi l'immagine
$response = "Asporto '$pappatoia_name' aggiunto con indirizzo: $indirizzo e telefono: $telefono. Ora invia le immagini per il menu. Invia /fine quando hai terminato.";
makeAPIRequest('sendMessage', [
'chat_id' => $chat_id,
'text' => $response,
'reply_to_message_id' => $message_id
]);
// Imposta lo stato dell'utente per aspettare le immagini
$db->exec("CREATE TABLE IF NOT EXISTS user_states (chat_id INTEGER, state TEXT, data TEXT)");
$stmt = $db->prepare("INSERT OR REPLACE INTO user_states (chat_id, state, data) VALUES (:chat_id, 'waiting_images', :pappatoia_id)");
$stmt->bindValue(':chat_id', $chat_id, SQLITE3_INTEGER);
$stmt->bindValue(':pappatoia_id', $pappatoia_id, SQLITE3_TEXT);
$stmt->execute();
return null;
}
function menu($text, $chatId, $userId, $messageId) {
global $db;
// Verifica se esiste un ordine attivo per oggi
$stmt = $db->prepare("SELECT id, pappatoia FROM ordini WHERE date(data) = date('now') LIMIT 1");
$result = $stmt->execute();
$ordine = $result->fetchArray(SQLITE3_ASSOC);
if (!$ordine) {
sendPrivateResponse($userId, "Non c'è un ordine attivo per oggi. Usa /mangerei per creare un nuovo ordine.", $chatId);
return null;
}
if (!$ordine['pappatoia']) {
sendPrivateResponse($userId, "Nessun asporto selezionato per l'ordine di oggi. Usa /asporto per selezionarne uno.", $chatId);
return null;
}
$pappatoia_id = $ordine['pappatoia'];
// Ottieni le informazioni della pappatoia
$stmt = $db->prepare("
SELECT p.id, p.pappatoia, p.indirizzo, p.telefono, ip.immagine
FROM pappatoie p
LEFT JOIN immagini_pappatoie ip ON p.id = ip.pappatoia_id
WHERE p.id = :pappatoia_id
");
$stmt->bindValue(':pappatoia_id', $pappatoia_id, SQLITE3_INTEGER);
$result = $stmt->execute();
$pappatoia = null;
$immagini = [];
while ($row = $result->fetchArray(SQLITE3_ASSOC)) {
if (!$pappatoia) {
$pappatoia = [
'nome' => $row['pappatoia'],
'indirizzo' => $row['indirizzo'],
'telefono' => $row['telefono']
];
}
if ($row['immagine']) {
$immagini[] = $row['immagine'];
}
}
if (!$pappatoia) {
sendPrivateResponse($userId, "Errore: impossibile trovare le informazioni dell'asporto selezionato.", $chatId);
return null;
}
// Invia le informazioni della pappatoia in privato
$info_message = "📍 Pappatoia: {$pappatoia['nome']}\n";
$info_message .= "🏠 Indirizzo: {$pappatoia['indirizzo']}\n";
$info_message .= "📞 Telefono: {$pappatoia['telefono']}";
$sent = sendPrivateResponse($userId, $info_message, $chatId);
if ($sent) {
// Invia le immagini del menu in privato
if (empty($immagini)) {
sendPrivateResponse($userId, "Non ci sono immagini del menu disponibili per questo asporto.");
} else {
foreach ($immagini as $image) {
$image_path = IMAGE_SAVE_PATH . $image;
if (file_exists($image_path)) {
makeAPIRequest('sendPhoto', [
'chat_id' => $userId,
'photo' => new CURLFile($image_path),
'caption' => "Menu di {$pappatoia['nome']}"
]);
}
}
}
// Invia un messaggio di conferma nel gruppo
makeAPIRequest('sendMessage', [
'chat_id' => $chatId,
'text' => "Ho inviato le informazioni del menu in privato.",
'reply_to_message_id' => $messageId
]);
}
return null; // Ritorniamo null perché abbiamo già gestito tutte le risposte
}
function _pappatoie() {
global $db;
$stmt = $db->prepare("
SELECT p.pappatoia, COUNT(ip.id) as num_immagini
FROM pappatoie p
LEFT JOIN immagini_pappatoie ip ON p.id = ip.pappatoia_id
GROUP BY p.id
ORDER BY p.pappatoia
");
$result = $stmt->execute();
$pappatoie = [];
while ($row = $result->fetchArray(SQLITE3_ASSOC)) {
$pappatoie[] = $row;
}
if (empty($pappatoie)) {
return "Non ci sono ancora asporti disponibili.";
} else {
$response = "Ecco l'elenco degli asporti disponibili:\n\n";
foreach ($pappatoie as $pappatoia) {
$nome = $pappatoia['pappatoia'];
$num_immagini = $pappatoia['num_immagini'];
$emoji = $num_immagini > 0 ? "🖼" : "📝";
$response .= "$emoji $nome";
if ($num_immagini > 0) {
$response .= " ($num_immagini " . ($num_immagini == 1 ? "immagine" : "immagini") . ")";
}
$response .= "\n";
}
$response .= "\nUsa /menu per vedere il menu del'asporto prescelto.";
return $response;
}
}
function elenco_pappatoie($chatID) {
global $db;
$stmt = $db->prepare("SELECT id, pappatoia FROM pappatoie ORDER BY pappatoia");
$result = $stmt->execute();
$keyboard = [];
while ($row = $result->fetchArray(SQLITE3_ASSOC)) {
$keyboard[] = [['text' => $row['pappatoia'], 'callback_data' => "show_pappatoia_images:{$row['id']}"]];
}
if (empty($keyboard)) {
return "Non ci sono locali da asporto disponibili.";
}
$replyMarkup = [
'inline_keyboard' => $keyboard
];
makeAPIRequest('sendMessage', [
'chat_id' => $chatID,
'text' => "Seleziona un asporto di cui vedere il menu:",
'reply_markup' => json_encode($replyMarkup)
]);
return null;
}
function handle_show_pappatoia_images($callbackQuery) {
global $db;
$data = explode(':', $callbackQuery['data']);
$pappatoiaId = $data[1];
$stmt = $db->prepare("
SELECT p.pappatoia, ip.immagine
FROM pappatoie p
LEFT JOIN immagini_pappatoie ip ON p.id = ip.pappatoia_id
WHERE p.id = :pappatoia_id
");
$stmt->bindValue(':pappatoia_id', $pappatoiaId, SQLITE3_INTEGER);
$result = $stmt->execute();
$pappatoia = null;
$immagini = [];
while ($row = $result->fetchArray(SQLITE3_ASSOC)) {
if (!$pappatoia) {
$pappatoia = $row['pappatoia'];
}
if ($row['immagine']) {
$immagini[] = $row['immagine'];
}
}
if (!$pappatoia) {
makeAPIRequest('answerCallbackQuery', [
'callback_query_id' => $callbackQuery['id'],
'text' => "Errore: Asporto non trovato."
]);
return;
}
makeAPIRequest('answerCallbackQuery', [
'callback_query_id' => $callbackQuery['id']
]);
if (empty($immagini)) {
makeAPIRequest('sendMessage', [
'chat_id' => $callbackQuery['message']['chat']['id'],
'text' => "Non ci sono immagini del menu disponibili per $pappatoia."
]);
} else {
makeAPIRequest('sendMessage', [
'chat_id' => $callbackQuery['message']['chat']['id'],
'text' => "Menu di $pappatoia:"
]);
foreach ($immagini as $image) {
$image_path = IMAGE_SAVE_PATH . $image;
if (file_exists($image_path)) {
makeAPIRequest('sendPhoto', [
'chat_id' => $callbackQuery['message']['chat']['id'],
'photo' => new CURLFile($image_path)
]);
}
}
}
}