-
Notifications
You must be signed in to change notification settings - Fork 0
/
test.py
2392 lines (1932 loc) · 119 KB
/
test.py
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
from tkinter import *
from PIL import ImageTk, Image # type "Pip install pillow" in your terminal to install ImageTk and Image module
import sqlite3
import tkinter as tk
from tkinter import messagebox
from tkinter import ttk
from PIL import Image, ImageTk
from datetime import datetime
import sqlite3
from reportlab.lib.pagesizes import letter
from reportlab.platypus import SimpleDocTemplate, Table, TableStyle
from reportlab.lib import colors
import os
user_dir = os.path.expanduser('C:/')
db_file_path = os.path.join(user_dir, 'DataDPTELE','test.db')
# icon_path = os.path.join('img', 'aa.ico')
# Vérifier si le répertoire existe, sinon le créer
db_directory = os.path.dirname(db_file_path)
if not os.path.exists(db_directory):
os.makedirs(db_directory)
# Vérifier si le fichier de base de données existe, sinon le créer
if not os.path.exists(db_file_path):
# Créer une connexion à la base de données
connection = sqlite3.connect(db_file_path)
cursor = connection.cursor()
cursor.execute('''CREATE TABLE IF NOT EXISTS user (
id INTEGER PRIMARY KEY AUTOINCREMENT,
fullname TEXT,
email TEXT UNIQUE,
password TEXT
)''')
cursor.execute('''CREATE TABLE IF NOT EXISTS Products (
id INTEGER PRIMARY KEY AUTOINCREMENT,
user_id INTEGER,
prix INTEGER,
name TEXT UNIQUE,
Quantite INTEGER NOT NULL,
Description TEXT,
FOREIGN KEY (user_id) REFERENCES user(id)
)''')
cursor.execute('''CREATE TABLE IF NOT EXISTS Employes (
id INTEGER PRIMARY KEY AUTOINCREMENT,
fonction TEXT,
nameComplet TEXT,
matricule TEXT,
Tel INTEGER,
AutreInfo TEXT
)''')
cursor.execute('''CREATE TABLE IF NOT EXISTS Commandes (
id INTEGER PRIMARY KEY AUTOINCREMENT,
id_employe INTEGER,
id_produit INTEGER,
quantite INTEGER,
date_commande DATE,
FOREIGN KEY (id_employe) REFERENCES Employes(id),
FOREIGN KEY (id_produit) REFERENCES Products(id)
)''')
cursor.execute('''CREATE TABLE IF NOT EXISTS Fournisseur (
id INTEGER PRIMARY KEY AUTOINCREMENT,
NomProduitF TEXT UNIQUE,
Quantite INTEGER,
Remarques TEXT,
DateCreation DATE
)''')
# Fermer la connexion
else:
connection = sqlite3.connect(db_file_path)
cursor = connection.cursor()
# Associer la fonction de connexion au bouton de connexion
def get_fullname_from_database():
conn = sqlite3.connect(db_file_path)
cursor = conn.cursor()
cursor.execute("SELECT fullname FROM user LIMIT 1") # Récupère le premier nom complet trouvé dans la table des utilisateurs
result = cursor.fetchone()
conn.close()
if result:
return result[0] # Retourne le nom complet trouvé
else:
return None # Aucun nom complet trouvé dans la base de données
class AdminWindow:
# Connect to the database
window = Tk()
window.rowconfigure(0, weight=1)
window.columnconfigure(0, weight=1)
window.state('zoomed')
window.resizable(0, 0)
icon4 = Image.open('img/iconMini.png')
icon = ImageTk.PhotoImage(icon4)
##icon = PhotoImage(file='img/iconMini.png')
icon4 = Image.open('img/iconMini.png')
icon = ImageTk.PhotoImage(icon4)
window.iconphoto(True, icon)
#
# Obtenir le nom complet de la base de données
fullname = get_fullname_from_database()
# Mettre à jour le titre de la fenêtre
if fullname:
window.title('Bienvenue ' + fullname)
else:
window.title('Bienvenue')
# Window Icon Photo
#def ouvrir_fenetre_order(self):
#pass
#def ouvrir_fenetre_adminEmployes(self):
#pass
#def ouvrir_fenetre_adminProduit(self):
#pass
def __init__(self,parent):
self.parent = parent
self.admin_window = Toplevel(parent)
self.admin_window.title("DPETLET")
self.admin_window.geometry('2200x800') # Modifié la taille pour mieux s'adapter aux éléments
self.create_widgets()
#self.admin_window.iconbitmap('img/aa.ico')
#icon = PhotoImage(file='img/iconMini.png')
icon4 = Image.open('img/iconMini.png')
icon = ImageTk.PhotoImage(icon4)
self.admin_window.iconphoto(True, icon)
self.conn = sqlite3.connect(db_file_path)
self.cursor = self.conn.cursor()
self.create_tables()
self.close_login_page()
def create_tables(self):
# Création de la table 'produit'
self.cursor.execute('''CREATE TABLE IF NOT EXISTS Products (
id INTEGER PRIMARY KEY AUTOINCREMENT,
prix INTEGER,
name TEXT UNIQUE,
Quantite INTEGER NOT NULL,
Description TEXT
)''')
# Création de la table 'employee'
self.cursor.execute('''CREATE TABLE IF NOT EXISTS Employes (
id INTEGER PRIMARY KEY AUTOINCREMENT,
fonction TEXT,
nameComplet TEXT,
matricule TEXT,
Tel INTEGER,
AutreInfo TEXT
)''')
# Création de la table 'command'
self.cursor.execute('''CREATE TABLE IF NOT EXISTS Commandes (
id INTEGER PRIMARY KEY AUTOINCREMENT,
id_employe INTEGER,
id_produit INTEGER,
quantite INTEGER,
date_commande DATE,
FOREIGN KEY (id_employe) REFERENCES Employes(id),
FOREIGN KEY (id_produit) REFERENCES Products(id)
)''')
self.cursor.execute('''CREATE TABLE IF NOT EXISTS Fournisseur (
id INTEGER PRIMARY KEY AUTOINCREMENT,
NomProduitF TEXT UNIQUE,
Quantite INTEGER,
Remarques TEXT,
DateCreation DATE
)''')
# Commit des changements
self.conn.commit()
#----------------------------------------------------------------------------------------------------------------------------------------
def create_widgets(self):
# Background Image
bg_image2 = Image.open('img/cover.jpg').resize((2700,900)) # Redimensionner l'image pour s'adapter à la fenêtre
self.bg_image2 = ImageTk.PhotoImage(bg_image2)
self.admin_canvas = tk.Canvas(self.admin_window, width=1300, height=700)
self.admin_canvas.pack(expand=True, fill='both')
self.bg_image_id2 = self.admin_canvas.create_image(0, 0, anchor=tk.NW, image=self.bg_image2)
# Obtenir les dimensions de la fenêtre parente
width = self.admin_window.winfo_width()
height = self.admin_window.winfo_height()
# Title
self.text_canvas = self.admin_canvas.create_text(width/2, 150, text="Gestion Du Stock", font=('cooper black', 50, 'bold'), fill="blue")
# Logo
logo_image = Image.open('img/loggo-removebg-preview.png').resize((140, 140)) # Ajuster la taille du logo
self.logo_image = ImageTk.PhotoImage(logo_image)
self.logo_label = self.admin_canvas.create_image(width * 0.15, height * 0.10, anchor=tk.NW, image=self.logo_image)
self.text_canvas2 = self.admin_canvas.create_text(width * 0.2, height * 0.15, text="Ministère de l'équipement et de l'eau", font=("yu gothic ui", 5, "bold "), fill="white")
self.text_canvas3 = self.admin_canvas.create_text(width * 0.2, height * 0.17, text="الماء و التجهيز وزارة", font=("yu gothic ui", 5, "bold "), fill="white")
# Clock
self.clock_label = self.admin_canvas.create_text(width * 0.5, height * 0.17, text="", font=('cooper black', 12, 'bold'), fill="white")
#quitter
def toggle_buttons():
if self.bouton1.winfo_viewable():
self.bouton1.place_forget()
self.bouton2.place_forget()
self.updateinfopersonnele_button.place_forget()
else:
self.bouton1.place(relx=0.01, rely=0.30)
self.bouton2.place(relx=0.01, rely=0.35)
self.updateinfopersonnele_button.place(relx=0.01, rely=0.40)
self.iconupdateinfopersonnele = ImageTk.PhotoImage(Image.open('img/user_1077012.png').resize((40, 20)))
self.updateinfopersonnele_button = Button(self.admin_window, text='compte', font=("yu gothic ui", 8, "bold "),image=self.iconupdateinfopersonnele,
command=lambda: self.updateinfopersonnele(),compound=tk.LEFT)
self.icontoggle = ImageTk.PhotoImage(Image.open('img/setting_12439337.png').resize((45, 35)))
self.toggle_button = tk.Button(self.admin_window, text="Setting▼", font=('yu gothic ui', 12, 'bold'), command=toggle_buttons, image=self.icontoggle, compound=tk.LEFT)
self.toggle_button.place(relx=0.85, rely=0.40)
self.iconProduit = ImageTk.PhotoImage(Image.open('img/package.png').resize((45, 20)))
self.bouton1 = tk.Button(self.admin_window, text="Products", font=('yu gothic ui', 8, 'bold'), command=lambda: self.ouvrir_fenetre_adminProduit(), image=self.iconProduit, compound=tk.LEFT)
self.iconEmployee = ImageTk.PhotoImage(Image.open('img/employee.png').resize((40, 20)))
self.bouton2 = tk.Button(self.admin_window, text="Employés", font=('yu gothic ui', 8, 'bold'), command=lambda: self.ouvrir_fenetre_adminEmployes(), image=self.iconEmployee, compound=tk.LEFT)
self.iconOrder = ImageTk.PhotoImage(Image.open('img/shopping_2898496.png').resize((50, 35)))
self.bouton3 = tk.Button(self.admin_window, text="Passer commander", font=('yu gothic ui', 12, 'bold'), command=lambda: self.ouvrir_fenetre_order(), image=self.iconOrder, compound=tk.LEFT)
self.bouton3.place(relx=0.62, rely=0.75)
self.iconFournisseur = ImageTk.PhotoImage(Image.open('img/fournisseur.png').resize((50, 35)))
self.boutonF = tk.Button(self.admin_window, text="Fournisseur", font=('yu gothic ui', 12, 'bold'), command=lambda: self.ouvrir_fenetre_Fournisseur(), image=self.iconFournisseur, compound=tk.LEFT)
self.boutonF.place(relx=0.62, rely=0.75)
self.iconHistory = ImageTk.PhotoImage(Image.open('img/shopping-list_10918300.png').resize((40, 35)))
self.bouton4 = tk.Button(self.admin_window, text="les Mouvements", font=('yu gothic ui', 12, 'bold'), command=lambda: self.ouvrir_fenetre_mouvementComend(), image=self.iconHistory, compound=tk.LEFT)
self.bouton4.place(relx=0.85, rely=0.25)
self.iconQuitter = ImageTk.PhotoImage(Image.open('img/quitter.png').resize((40, 35)))
self.bouton5 = tk.Button(self.admin_window, text="Quitter", font=('yu gothic ui', 12, 'bold'), command=self.admin_window.destroy, image=self.iconQuitter, compound=tk.LEFT)
self.bouton5.place(relx=0.95, rely=0.9)
#----------------------------------------------------------------
# Définition de la fonction on_select au niveau global
#----------------------------------------------------------------
def update_tree_window(tree):
# Se connecter à la base de données
conn = sqlite3.connect(db_file_path)
cursor = conn.cursor()
# Récupérer les données de la base de données
Products = []
cursor.execute('SELECT name, Quantite FROM Products')
rows = cursor.fetchall()
for row in rows:
product_name = row[0]
quantity = row[1]
status = "Disponible" if quantity > 0 else "Indisponible"
remaining = quantity if quantity > 0 else 0
Products.append((product_name, quantity, status, remaining))
# Effacer les anciennes données du Treeview
for item in tree.get_children():
tree.delete(item)
# Insérer les nouvelles données dans le Treeview
#for product in Products:
#tree.insert("", tk.END, values=product)
for product in Products:
status_text = product[2]
if status_text == "Disponible":
tree.insert("", tk.END, values=product, tags=('green',))
elif status_text == "Indisponible":
tree.insert("", tk.END, values=product, tags=('red',))
else:
tree.insert("", tk.END, values=product)
# Définition des couleurs
tree.tag_configure('black', foreground='green')
tree.tag_configure('red', foreground='red')
# Fermer la connexion à la base de données
conn.close()
# Planifier une mise à jour périodique après un certain délai (par exemple, toutes les 5 secondes)
self.admin_window.after(1000, update_tree_window, tree)
# Définir la fonction pour ouvrir la fenêtre de l'arbre
def open_tree_window():
# Se connecter à la base de données
conn = sqlite3.connect(db_file_path)
cursor = conn.cursor()
# Récupérer les données de la base de données
Products = []
cursor.execute('SELECT name, Quantite FROM Products')
rows = cursor.fetchall()
for row in rows:
product_name = row[0]
quantity = row[1]
status = "Disponible" if quantity > 0 else "Indisponible"
remaining = quantity if quantity > 0 else 0
Products.append((product_name, quantity, status, remaining))
# Créer le Treeview avec les données récupérées
tree = ttk.Treeview(self.admin_canvas, columns=('name', 'Quantite', 'Status', 'Reste'), show='headings', height=23)
tree.heading('name', text='Name')
tree.heading('Quantite', text='Quantite')
tree.heading('Status', text='Status')
tree.heading('Reste', text='Reste')
for col in tree['columns']:
tree.column(col, anchor='center')
for col in tree['columns']:
tree.column(col, anchor='center', width=150)
# Insérer les données dans le Treeview
for product in Products:
tree.insert("", tk.END, values=product)
# Fermer la connexion à la base de données
conn.close()
tree.place(relwidth=0.25, relheight=0.1)
def resize_tree(event):
width = event.width
height = event.height
# Réajuster la taille et la position du Treeview en conséquence
tree.place(x=width//4, y=height//4, width=width//2, height=height//2)
# Placer le Treeview sur le canevas
tree.place(x=width//8, y=height//4, width=width//2, height=height//2)
# Placer le Treeview sur le canevas
#tree.place(x=220, y=100, width=880, height=500)
self.admin_canvas.bind('<Configure>', resize_tree)
# Lancer la mise à jour périodique des données du Treeview
update_tree_window(tree)
#----------------------------------------------------------------
#----------------------------------------------------------------
open_tree_window()
def update_clock():
now = datetime.now().strftime("%A, %B %Y %H:%M:%S")
self.admin_canvas.itemconfig(self.clock_label, text=now)
self.admin_window.after(1000, update_clock)
update_clock()
# Resize event binding
self.admin_window.bind('<Configure>', self.resize)
#----------------------------------------------------------------
def updateinfopersonnele(self, event=None):
# Fonction pour récupérer les informations personnelles actuelles de l'utilisateur depuis la base de données
def get_user_info():
connection = sqlite3.connect(db_file_path)
cursor = connection.cursor()
cursor.execute("SELECT fullname, email FROM user")
user_data = cursor.fetchone()
return user_data if user_data else ('', '') # Retourner les données ou des valeurs par défaut
# Créer une nouvelle fenêtre
win = Toplevel()
window_width = 350
window_height = 350
screen_width = win.winfo_screenwidth()
screen_height = win.winfo_screenheight()
position_top = int(screen_height / 4 - window_height / 4)
position_right = int(screen_width / 2 - window_width / 2)
win.geometry(f'{window_width}x{window_height}+{position_right}+{position_top}')
win.title('Update Personal Information')
#win.iconbitmap('img/aa.ico')
#icon = PhotoImage(file='img/iconMini.png')
icon4 = Image.open('img/iconMini.png')
icon = ImageTk.PhotoImage(icon4)
win.iconphoto(True, icon)
win.configure(background='#f8f8f8')
win.resizable(0, 0)
# Fonction pour mettre à jour les informations personnelles
def update_info():
# Récupérer les nouvelles données saisies par l'utilisateur
new_fullname = name_entry.get()
new_email = email_entry.get()
new_password = password_entry.get()
# Vérifier si les champs sont vides
if not new_fullname or not new_email :
messagebox.showerror("Error", "Veuillez remplir tous les champs.")
return
if new_email != current_email:
# Connecter à la base de données
connection = sqlite3.connect(db_file_path)
cursor = connection.cursor()
# Vérifier si l'e-mail existe déjà dans la base de données
cursor.execute("SELECT email FROM user WHERE email = ?", (new_email,))
existing_email = cursor.fetchone()
if existing_email:
messagebox.showerror("Error", "L'e-mail saisi existe déjà.")
connection.close()
return
# Fermer la connexion pour l'ancienne adresse e-mail
cursor.execute('''UPDATE user SET fullname = ?, email = ?, password = ? WHERE email = ?''',
(new_fullname, new_email, new_password, current_email))
connection.commit()
messagebox.showinfo("Success", "Informations personnelles mises à jour avec succès.")
win.destroy()
# Fermer la connexion à la base de données
connection.close()
else:
# Connecter à la base de données
connection = sqlite3.connect(db_file_path)
cursor = connection.cursor()
# Mettre à jour les informations personnelles sans mettre à jour l'e-mail
cursor.execute('''UPDATE user SET fullname = ?, password = ? WHERE email = ?''',
(new_fullname, new_password, current_email))
connection.commit()
messagebox.showinfo("Success", "Informations personnelles mises à jour avec succès.")
win.destroy()
# Fermer la connexion à la base de données
connection.close()
# Récupérer les informations personnelles actuelles de l'utilisateur depuis la base de données
current_fullname, current_email = get_user_info()
# Champ d'entrée pour le nouveau nom complet, pré-rempli avec les données actuelles
name_entry = Entry(win, fg="#a7a7a7", font=("yu gothic ui semibold", 12), highlightthickness=2)
name_entry.insert(0, current_fullname)
name_entry.place(x=40, y=30, width=256, height=34)
name_entry.config(highlightbackground="black", highlightcolor="black")
name_label = Label(win, text='• Full Name', fg="#89898b", bg='#f8f8f8', font=("yu gothic ui", 11, 'bold'))
name_label.place(x=40, y=0)
# Champ d'entrée pour le nouvel email, pré-rempli avec les données actuelles
email_entry = Entry(win, fg="#a7a7a7", font=("yu gothic ui semibold", 12), highlightthickness=2)
email_entry.insert(0, current_email)
email_entry.place(x=40, y=90, width=256, height=34)
email_entry.config(highlightbackground="black", highlightcolor="black")
email_label = Label(win, text='• Email', fg="#89898b", bg='#f8f8f8', font=("yu gothic ui", 11, 'bold'))
email_label.place(x=40, y=60)
# Champ d'entrée pour le nouveau mot de passe, laissant le champ vide pour des raisons de sécurité
password_entry = Entry(win, fg="#a7a7a7", font=("yu gothic ui semibold", 12), show='•', highlightthickness=2)
password_entry.place(x=40, y=150, width=256, height=34)
password_entry.config(highlightbackground="black", highlightcolor="black")
password_label = Label(win, text='• Password', fg="#89898b", bg='#f8f8f8', font=("yu gothic ui", 11, 'bold'))
password_label.place(x=40, y=120)
# Bouton pour mettre à jour les informations personnelles
update_info_button = Button(win, fg='#f8f8f8', text='Update Info', bg='#1b87d2', font=("yu gothic ui bold", 14),
cursor='hand2', activebackground='#1b87d2', command=update_info)
update_info_button.place(x=40, y=240, width=256, height=50)
# Bouton "Forgot password"
#----------------------------------------------------------------
# Fonction pour ouvrir la fenêtre adminProduit
def ouvrir_fenetre_adminProduit(self, event=None):
import tkinter as tk
from tkinter import ttk
#root = Toplevel(self.admin_window)
#root.title("Sélection des Products")
#root.geometry('2150x350')
#root.configure(bg='snow2')
root = Toplevel(self.admin_window)
window_width = 1000
window_height = 350
screen_width = root.winfo_screenwidth()
screen_height = root.winfo_screenheight()
position_top = int(screen_height / 4 - window_height / 4)
position_right = int(screen_width / 2 - window_width / 2)
root.geometry(f'{window_width}x{window_height}+{position_right}+{position_top}')
root.title('fenêtre Products')
#root.iconbitmap('img/aa.ico')
#icon = PhotoImage(file='img/iconMini.png')
icon4 = Image.open('img/iconMini.png')
icon = ImageTk.PhotoImage(icon4)
root.iconphoto(True, icon)
root.configure(background='#f8f8f8')
root.resizable(0, 0)
frame = tk.Frame(root, bd=2, relief='ridge') # Ajoute un cadre avec une bordure et un relief
frame.place(x=280, y=10)
tree = ttk.Treeview(frame, columns=('Nº','prix', 'name','Quantite','Description'), show='headings', height=15)
tree.heading('Nº', text='Nº')
tree.heading('prix', text='Prix')
tree.heading('name', text='Name')
tree.heading('Quantite', text='Quantite')
tree.heading('Description', text='Description')
# Centrer les valeurs dans toutes les colonnes
for col in tree['columns']:
tree.column(col, anchor='center', width=120)
tree.pack(fill='both', expand=True)
conn = sqlite3.connect(db_file_path)
cursor = conn.cursor()
Products = []
cursor.execute('SELECT id,prix, name, Quantite, Description FROM Products')
rows = cursor.fetchall()
for row in rows:
Products.append((row[0], row[1],row[2],row[3],row[4]))
tree.insert("", tk.END, values=row)
combo = ttk.Combobox(root, values=[produit[0] for produit in Products])
combo.place(x=5, y=10)
def actualiser_base_de_donnees():
try:
# Actualiser la connexion avec la base de données
connection = sqlite3.connect(db_file_path)
cursor = connection.cursor()
# Effacer les éléments existants dans l'arbre
for row in tree.get_children():
tree.delete(row)
# Effacer les anciens éléments de la combobox
# Récupérer les produits depuis la base de données
cursor.execute('SELECT id, prix, name, Quantite, Description FROM Products')
rows = cursor.fetchall()
for row in rows:
Products.append((row[0], row[1], row[2], row[3], row[4]))
tree.insert("", tk.END, values=row)
except Exception as e:
# Gérer les exceptions
print("Une erreur s'est produite:", e)
finally:
# Fermer la connexion à la base de données
if connection:
connection.close()
def close_app():
result = messagebox.askquestion("Fermer", "Voulez-vous vraiment fermer la fenêtre?")
if result == 'yes':
root.destroy()
# Définition de la fonction on_select au niveau global
def on_select(event):
selected_item = tree.selection()[0] # Obtenir l'élément sélectionné dans le TreeView
values = tree.item(selected_item, 'values') # Obtenir les valeurs de l'élément sélectionné
print("Element sélectionné :", values) # Afficher les valeurs dans la console (vous pouvez les utiliser comme nécessaire)
def populate_combo():
conn = sqlite3.connect(db_file_path)
cursor = conn.cursor()
cursor.execute("SELECT name FROM Products")
rows = cursor.fetchall()
# Récupérer uniquement les noms des produits à partir des résultats de la requête
product_names = [row[0] for row in rows]
# Mettre à jour les valeurs de la Combobox avec les noms des produits
combo['values'] = product_names
def search_keyword():
keyword = combo.get()
# Effacer les résultats précédents dans le TreeView
tree.delete(*tree.get_children())
conn = sqlite3.connect(db_file_path)
cursor = conn.cursor()
# Requête pour rechercher les résultats correspondants au nom dans la base de données
cursor.execute("SELECT id, prix, name, Quantite, Description FROM Products WHERE name LIKE ?", ('%' + keyword + '%',))
rows = cursor.fetchall()
# Insérer les résultats dans le TreeView
for row in rows:
tree.insert("", tk.END, values=row)
# Sélectionner automatiquement le premier élément dans le TreeView s'il existe
if rows:
tree.selection_set(tree.get_children()[0])
# Créer une liaison de sélection au TreeView pour appeler une fonction lorsque la sélection change
tree.bind("<<TreeviewSelect>>", on_select)
# Appeler la fonction pour remplir la Combobox avec les noms des produits
populate_combo()
search_button = ttk.Button(root, text="Rechercher", command=search_keyword)
search_button.place(x=150, y=8)
# Création du bouton de fermeture
close_button = ttk.Button(root,width=20, text="Fermer", command=close_app)
close_button.place(x=5, y=230)
def save():
messagebox.showinfo("Succès", "Opération effectuée avec succès!")
save_button = ttk.Button(root,width=20, text="Enregistrer", command=save)
save_button.place(x=5, y=200)
def add_produit():
def save_produit():
new_prix = prix_entry.get()
new_name = name_entry.get()
new_quantite = quantite_entry.get()
new_description = description_entry.get()
# Vérification si new_quantite est un nombre
if not int(new_quantite):
messagebox.showerror("Erreur", "La quantité doit être un nombre.")
return
# Conversion des valeurs en nombres
new_quantite= int(new_quantite)
conn = sqlite3.connect(db_file_path)
cursor = conn.cursor()
cursor.execute("SELECT * FROM Products WHERE LOWER(name) = LOWER(?)", (new_name,))
existing_data = cursor.fetchone()
if existing_data:
messagebox.showerror("Erreur", "Ce nom de produit existe déjà.")
return
# Ajouter la nouvelle produit à la liste d'Products
Products.append((new_prix, new_name, new_quantite, new_description))
# Ajouter la nouvelle ligne à la Treeview
tree.insert("", tk.END, values=(new_prix, new_name, new_quantite, new_description))
conn = sqlite3.connect(db_file_path)
cursor = conn.cursor()
# Enregistrer les modifications dans la base de données
cursor.execute("INSERT INTO Products (prix, name, Quantite, Description) values (?, ?, ?, ?)", (new_prix, new_name, new_quantite, new_description))
conn.commit()
# Actualiser les données dans le Treeview
tree.delete(*tree.get_children()) # Supprimer toutes les lignes actuelles du Treeview
cursor.execute('SELECT id,prix, name, Quantite, Description FROM Products')
rows = cursor.fetchall()
for row in rows:
tree.insert("", tk.END, values=row)
actualiser_base_de_donnees()
# Fermer la fenêtre
add_window.destroy()
# Créer une nouvelle fenêtre pour saisir le nom et le prix de la nouvelle produit
#add_window = tk.Toplevel(root)
# Créer une nouvelle fenêtre pour saisir le nom, le prix, la quantité et la description de la nouvelle produit
add_window =Toplevel(root)
window_width = 410
window_height = 280
screen_width = add_window.winfo_screenwidth()
screen_height = add_window.winfo_screenheight()
position_top = int(screen_height / 4 - window_height / 4)
position_right = int(screen_width / 2 - window_width / 2)
add_window.geometry(f'{window_width}x{window_height}+{position_right}+{position_top}')
add_window.title('Ajouter une produit')
#add_window.iconbitmap('img/aa.ico')
#icon = PhotoImage(file='img/iconMini.png')
icon4 = Image.open('img/iconMini.png')
icon = ImageTk.PhotoImage(icon4)
add_window.iconphoto(True, icon)
add_window.resizable(0, 0)
# Titre centré en haut de la fenêtre
title_label = ttk.Label(add_window, text="Ajouter une produit", font=("Helvetica", 14, "bold"))
title_label.grid(row=0, column=0, columnspan=2, padx=(70, 20), pady=(10, 20), sticky="nsew")
# Utilisation d'une grille pour disposer les éléments de manière plus organisée
prix_label = ttk.Label(add_window, text="Entrez le prix de la nouvelle produit :")
prix_label.grid(row=2, column=0, padx=5, pady=5, sticky="w")
name_label = ttk.Label(add_window, text="Entrez le nom de la nouvelle produit :")
name_label.grid(row=1, column=0, padx=5, pady=5, sticky="w")
quantite_label = ttk.Label(add_window, text="Entrez le quantité de la nouvelle produit :")
quantite_label.grid(row=3, column=0, padx=5, pady=5, sticky="w")
description_label = ttk.Label(add_window, text="Entrez le description de la nouvelle produit :")
description_label.grid(row=4, column=0, padx=5, pady=5, sticky="w")
# Entry Widgets
prix_entry = ttk.Entry(add_window)
prix_entry.grid(row=2, column=1, padx=5, pady=5)
def verify_price(event):
try:
price = float(prix_entry.get())
# Prix est un nombre valide
except ValueError:
# Prix n'est pas un nombre valide
messagebox.showerror("Erreur", "Le prix doit être un nombre")
prix_entry.bind("<FocusOut>", verify_price)
name_entry = ttk.Entry(add_window)
name_entry.grid(row=1, column=1, padx=5, pady=5)
quantite_entry = ttk.Entry(add_window)
quantite_entry.grid(row=3, column=1, padx=5, pady=5)
def verify_quantite(event):
try:
price = float(quantite_entry.get())
# Prix est un nombre valide
except ValueError:
# Prix n'est pas un nombre valide
messagebox.showerror("Erreur", "Le Quantité doit être un nombre")
quantite_entry.bind("<FocusOut>", verify_quantite)
description_entry = ttk.Entry(add_window)
description_entry.grid(row=4, column=1, padx=5, pady=5)
# Ajouter un bouton pour enregistrer la modification dans la base de données
save_button = ttk.Button(add_window, text="Enregistrer", command=save_produit)
save_button.grid(row=5, column=0, columnspan=2, padx=5, pady=10, sticky="ew")
ret_button = ttk.Button(add_window, text="Quitter", command=add_window.destroy)
ret_button.grid(row=6, column=0, columnspan=2, padx=5, pady=10, sticky="ew")
add_produit_button = ttk.Button(root,width=20, text="Ajouter une Produit", command=add_produit)
add_produit_button.place(x=5, y=140)
def modify_produitB():
selected_item = tree.selection()
if selected_item:
values = tree.item(selected_item)['values']
if values:
selected_id = values[0] # Supposons que l'ID est le premier élément dans vos données
selected_produit = None
for produit in Products:
if produit[0] == selected_id: # Assurez-vous que l'ID correspond
selected_produit = produit
break
if selected_produit:
# Créer une nouvelle fenêtre pour modifier le nom, le prix, la quantité et la description du produit sélectionné
modify_window = Toplevel(root)
window_width = 300
window_height = 280
screen_width = modify_window.winfo_screenwidth()
screen_height = modify_window.winfo_screenheight()
position_top = int(screen_height / 4 - window_height / 4)
position_right = int(screen_width / 2 - window_width / 2)
modify_window.geometry(f'{window_width}x{window_height}+{position_right}+{position_top}')
modify_window.title('Modifier une produit')
#modify_window.iconbitmap('img/aa.ico')
#icon = PhotoImage(file='img/iconMini.png')
icon4 = Image.open('img/iconMini.png')
icon = ImageTk.PhotoImage(icon4)
modify_window.iconphoto(True, icon)
modify_window.resizable(0, 0)
# Calculer les coordonnées pour centrer la fenêtre sur l'écran
window_width = modify_window.winfo_reqwidth()
window_height = modify_window.winfo_reqheight()
position_right = int(modify_window.winfo_screenwidth() / 2 - window_width / 2)
position_down = int(modify_window.winfo_screenheight() / 2 - window_height / 2)
# Définir la position de la fenêtre
modify_window.geometry("+{}+{}".format(position_right, position_down))
# Titre centré en haut de la fenêtre
title_label = ttk.Label(modify_window, text="Modifier une Produit", font=("Helvetica", 14, "bold"))
title_label.grid(row=0, column=0, columnspan=2,padx=(70, 20), pady=(10, 20), sticky="nsew")
# Utilisation d'une grille pour disposer les éléments de manière plus organisée
prix_label = ttk.Label(modify_window, text="Prix actuel :")
prix_label.grid(row=2, column=0, padx=5, pady=5, sticky="w")
name_label = ttk.Label(modify_window, text="Nom actuel:")
name_label.grid(row=1, column=0, padx=5, pady=5, sticky="w")
quantite_label = ttk.Label(modify_window, text="Quantité actuelle:")
quantite_label.grid(row=3, column=0, padx=5, pady=5, sticky="w")
description_label = ttk.Label(modify_window, text="Description actuelle:")
description_label.grid(row=4, column=0, padx=5, pady=5, sticky="w")
# Entry Widgets
prix_entry = ttk.Entry(modify_window)
prix_entry.insert(tk.END, selected_produit[1]) # Insérer le prix du produit
prix_entry.grid(row=2, column=1, padx=5, pady=5)
def verify_price(event):
try:
price = float(prix_entry.get())
# Prix est un nombre valide
except ValueError:
# Prix n'est pas un nombre valide
messagebox.showerror("Erreur", "Le prix doit être un nombre")
def verify_quantite(event):
try:
price = float(quantite_entry.get())
# Prix est un nombre valide
except ValueError:
# Prix n'est pas un nombre valide
messagebox.showerror("Erreur", "Le Quantité doit être un nombre")
prix_entry.bind("<FocusOut>", verify_price)
name_entry = ttk.Entry(modify_window)
name_entry.insert(tk.END, selected_produit[2]) # Insérer le nom du produit
name_entry.grid(row=1, column=1, padx=5, pady=5)
quantite_entry = ttk.Entry(modify_window)
quantite_entry.insert(tk.END, selected_produit[3]) # Insérer la quantité du produit
quantite_entry.grid(row=3, column=1, padx=5, pady=5)
quantite_entry.bind("<FocusOut>", verify_quantite)
description_entry = ttk.Entry(modify_window)
description_entry.insert(tk.END, selected_produit[4]) # Insérer la description du produit
description_entry.grid(row=4, column=1, padx=5, pady=5)
# Bouton pour enregistrer les modifications
def update_produit():
new_prix = prix_entry.get()
new_name = name_entry.get()
new_quantite = quantite_entry.get()
new_description = description_entry.get()
# Vérification si new_prix est un nombre
# Vérification si new_quantite est un nombre
if not int(new_quantite):
messagebox.showerror("Erreur", "La quantité doit être un nombre.")
return
# Conversion des valeurs en nombres
new_quantite= int(new_quantite)
# Créer un nouveau tuple avec les valeurs mises à jour
updated_produit = (selected_id, new_prix, new_name, new_quantite, new_description)
# Trouver l'index du produit dans la liste Products
index = Products.index(selected_produit)
# Remplacer l'ancien tuple par le nouveau dans la liste Products
Products[index] = updated_produit
# Mettre à jour le produit dans la base de données
conn = sqlite3.connect(db_file_path)
cursor = conn.cursor()
cursor.execute("UPDATE products SET prix = ?, name = ?, Quantite = ?, Description = ? WHERE id = ?", (new_prix, new_name, new_quantite, new_description, selected_id))
conn.commit()
# Mettre à jour la Treeview avec les nouvelles valeurs
tree.item(selected_item, values=updated_produit)
# Fermer la fenêtre de modification
modify_window.destroy()
update_button = ttk.Button(modify_window, text="Enregistrer", command=update_produit)
update_button.grid(row=5, column=0, columnspan=2, padx=5, pady=10, sticky="ew")
# Bouton pour quitter
ret_button = ttk.Button(modify_window, text="Quitter", command=modify_window.destroy)
ret_button.grid(row=6, column=0, columnspan=2, padx=5, pady=10, sticky="ew")
else:
# Afficher un message d'erreur si le produit n'est pas trouvé
messagebox.showerror("Erreur", "Produit introuvable.")
else:
# Afficher un message d'erreur si aucune produit n'est sélectionnée dans la Treeview
messagebox.showerror("Erreur", "Aucun Produit sélectionné.\n Veuillez sélectionner un produit avant de cliquer sur modifier.")
else:
# Afficher un message d'erreur si aucune produit n'est sélectionnée dans la Treeview
messagebox.showerror("Erreur", "Aucun Produit sélectionné.\n Veuillez sélectionner un produit avant de cliquer sur modifier.")
modify_button = ttk.Button(root, width=20, text="Modifier le Produit", command=modify_produitB)
modify_button.place(x=5, y=110)
# Fonction pour supprimer une produit sélectionnée
def delete_produit():
selected_items = tree.selection()
if selected_items:
for item in selected_items:
values = tree.item(item)['values']
if values:
selected_id = values[0]
# Supprimer la commande correspondante de la base de données
cursor.execute("DELETE FROM Products WHERE id=?", (selected_id,))
# Confirmer la transaction
conn.commit()
# Supprimer la ligne de Treeview
tree.delete(item)
# Actualiser les données dans le Treeview
tree.delete(*tree.get_children()) # Supprimer toutes les lignes actuelles du Treeview
cursor.execute('SELECT id,prix, name, Quantite, Description FROM Products')
rows = cursor.fetchall()
for row in rows:
tree.insert("", tk.END, values=row)
else:
messagebox.showerror("Erreur", "Aucun Produit sélectionné.\n Veuillez sélectionner un produit avant de cliquer sur Supprimer.")
delete_button = ttk.Button(root,width=20, text="Supprimer le Produit", command=delete_produit)
delete_button.place(x=5, y=170)
# Fermer la connexion à la base de données à la fin du programme
root.mainloop()
#----------------------------------------------------------------------------------------------------------------------------------------
#----------------------------------------------------------------------------------------------------------------------------------------
def ouvrir_fenetre_adminEmployes(self, event=None):
import tkinter as tk
from tkinter import ttk
from tkinter import messagebox
#root = Toplevel(self.admin_window)
#root.title("Sélection de Employes")
#root.geometry('1500x300')
root = Toplevel(self.admin_window)
window_width = 1020
window_height = 350
screen_width = root.winfo_screenwidth()
screen_height = root.winfo_screenheight()
position_top = int(screen_height / 4 - window_height / 4)
position_right = int(screen_width / 2 - window_width / 2)
root.geometry(f'{window_width}x{window_height}+{position_right}+{position_top}')
root.title('fenêtre Employes')
#root.iconbitmap('img/aa.ico')
#icon = PhotoImage(file='img/iconMini.png')
icon4 = Image.open('img/iconMini.png')
icon = ImageTk.PhotoImage(icon4)
root.iconphoto(True, icon)
root.configure(background='#f8f8f8')
root.resizable(0, 0)
tree = ttk.Treeview(root, columns=('Nº','fonction', 'nameComplet','matricule','Tel','AutreInfo'), show='headings', height=15)
tree.heading('Nº', text='Nº')
tree.heading('fonction', text='Fonction')
tree.heading('nameComplet', text='Employé(e)')
tree.heading('matricule', text='Matricule')
tree.heading('Tel', text='Telephone')
tree.heading('AutreInfo', text='AutreInfo')
tree.place(x=280, y=10)
for col in tree['columns']:
tree.column(col, anchor='center')
for col in tree['columns']:
tree.column(col, anchor='center', width=120)
conn = sqlite3.connect(db_file_path)
cursor = conn.cursor()
Employes = []
cursor.execute('SELECT id,fonction,nameComplet,matricule,Tel, AutreInfo FROM Employes')
rows = cursor.fetchall()
for row in rows:
Employes.append((row[0], row[1], row[2], row[3], row[4],row[5]))
tree.insert("", tk.END, values=row)
combo = ttk.Combobox(root, values=[Employe [1] for Employe in Employes])
combo.place(x=5, y=10)
def actualiser_base_de_donneesP():
try:
# Actualiser la connexion avec la base de données
connection = sqlite3.connect(db_file_path)
cursor = connection.cursor()
# Effacer les éléments existants dans l'arbre
for row in tree.get_children():
tree.delete(row)
# Effacer les anciens éléments de la combobox
# Récupérer les produits depuis la base de données
cursor.execute('SELECT id,fonction,nameComplet,matricule,Tel, AutreInfo FROM Employes')
rows = cursor.fetchall()
for row in rows:
Employes.append((row[0], row[1], row[2], row[3], row[4],row[5]))
tree.insert("", tk.END, values=row)