Python - Aprendiendo python

 
Vista:
Imágen de perfil de yoclens

Aprendiendo python

Publicado por yoclens (1 intervención) el 24/06/2024 04:50:33
saludos amig@s estoy aprendiendo python y estoy realizando mi primer crud, pero no logro hacer que funcione el problema que tengo es que a la hora de usar los métodos no logro nada, de verdad no se que pasa, anexo archivos:

conexion.py

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
import sqlite3
 
 
class Conexion():
 
   def __init__(self):
       self.mi_conexion = self.crear_conexion()
 
 
   def crear_conexion(self):
       try:
           conexion = sqlite3.connect("consejo_comunal.db")
           print("Conexión exitosa con la base de datos")
           return conexion
       except sqlite3.Error as e:
           print("Error al conectar a la base de datos:", e)
           return None



funcion_gestion_general.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
import sqlite3
import tkinter as tk
from conexion import Conexion
from tkinter import ttk
from tkinter import messagebox as mb
from tkinter import scrolledtext as st
from reportlab.pdfgen import canvas
 
class Funcion_gestion_general:
 
 
    def insertar_datos_gestion_general(self):
        if not all([self.entry_rif.get(), self.entry_consejo_comunal.get(), self.entry_telefono.get(),
                    self.entry_banco.get(), self.entry_numero_de_cuenta.get(), self.entry_sector.get(),
                    self.entry_parroquia.get(), self.entry_municipio.get(), self.entry_estado.get()]):
            mb.showinfo(message="Por favor, completa todos los campos.", title="Validación de Campos")
        else:
            try:
                datos = (self.entry_rif.get(), self.entry_consejo_comunal.get(), self.entry_telefono.get(),
                         self.entry_banco.get(), self.entry_numero_de_cuenta.get(), self.entry_sector.get(),
                         self.entry_parroquia.get(), self.entry_municipio.get(), self.entry_estado.get())
                cursor = self.mi_conexion.cursor()
                sql = "INSERT INTO gestion_general (rif, consejo_comunal, telefono, banco, numero_de_cuenta, sector, parroquia, municipio, estado) VALUES (?, ?, ?, ?, ?, ?, ?, ?, ?)"
                cursor.execute(sql, datos)
                self.mi_conexion.commit()
                mb.showinfo(message="¡Datos ingresados correctamente!", title="Ingreso de Datos")
            except sqlite3.Error:
                mb.showinfo(message="Dato incorrecto o error en la validación", title="Validación")
 
 
 
 
    def actualizar_datos_gestion_general(self):
        if not self.entry_id_gestion_genral.get():
            mb.showinfo(message="Debe haber un Id de referencia", title="Validación de Campos")
        else:
            try:
                cursor = self.mi_conexion.cursor()
                sql = """UPDATE gestion_general SET rif=?, consejo_comunal=?, telefono=?, banco=?, numero_de_cuenta=?, sector=?, parroquia=?, municipio=?, estado=? WHERE id_gestion_genral = ?"""
                datos_act = (
                    self.entry_rif.get(),
                    self.entry_consejo_comunal.get(),
                    self.entry_telefono.get(),
                    self.entry_banco.get(),
                    self.entry_numero_de_cuenta.get(),
                    self.entry_sector.get(),
                    self.entry_parroquia.get(),
                    self.entry_municipio.get(),
                    self.entry_estado.get(),
                    self.entry_id_gestion_genral.get())
                cursor.execute(sql, datos_act)
                self.mi_conexion.commit()
                mb.showinfo(title="Actualizar registro", message="Se pudo actualizar el registro.")
            except sqlite3.Error:
                mb.showerror(title="Actualizar registro", message="No se pudo actualizar el registro.")
 
 
 
 
def eliminar_datos_gestion_general(self):
    if not self.entry_id_gestion_general.get():
        mb.showinfo(message="Ingrese un ID para eliminar", title="Validación de Campos")
        self.entry_id_gestion_general.focus()
    else:
        try:
            cursor = self.mi_conexion.cursor()
            cursor.execute("SELECT * FROM gestion_general WHERE Id_gestion_general = ?", (self.entry_id_gestion_general.get(),))
            fila = cursor.fetchone()
            if fila:
                sql = f'DELETE FROM Censo WHERE ID = {fila[0]}'
                cursor.execute(sql)
                respuesta = mb.askyesno("Cuidado", "¿Quiere eliminar el registro?")
                if respuesta:
                    self.mi_conexion.commit()
                    mb.showinfo("Eliminar Registro", "Eliminación exitosa")
                    self.id_gestion_general.set('')
                    self.rif.set('')
                    self.consejo_comunal.set('')
                    self.telefono.set('')
                    self.banco.set('')
                    self.numero_de_cuenta.set('')
                    self.sector.set('')
                    self.parroquia.set('')
                    self.municipio.set('')
                    self.estado.set('')
                    self.datos_tabla_gestion_general()
            else:
                mb.showinfo("Consultar Datos", "Descripción no encontrada")
                self.id_gestion_general.set('')
                self.rif.set('')
                self.consejo_comunal.set('')
                self.telefono.set('')
                self.banco.set('')
                self.numero_de_cuenta.set('')
                self.sector.set('')
                self.parroquia.set('')
                self.municipio.set('')
                self.estado.set('')
                self.datos_tabla_gestion_general()
        except sqlite3.Error:
            mb.showerror("Eliminar Registro", "Error al eliminar el registro")
        finally:
            self.mi_conexion.close()
 
 
 
def tabla_gestion_general(self):
    campos = ('N°', 'Rif', 'Consejo Comunal', 'Teléfono', 'Banco', 'Numero de Cuenta', 'Sector', 'Parroquia', 'Municipio', 'Estado')
    tree = ttk.Treeview(self.ventana_gestion_general, columns=campos, show='headings')
    tree.heading('N°', text='N°')
    tree.heading('Rif', text='Rif')
    tree.heading('Consejo Comunal', text='Consejo Comunal')
    tree.heading('Teléfono', text='Teléfono')
    tree.heading('Banco', text='Banco')
    tree.heading('Numero de Cuenta', text='Numero de Cuenta')
    tree.heading('Sector', text='Sector')
    tree.heading('Parroquia', text='Parroquia')
    tree.heading('Municipio', text='Municipio')
    tree.heading('Estado', text='Estado')
 
    datos_tabla_gestion_general = []
 
    try:
        cursor = self.mi_conexion.cursor()
        cursor.execute("SELECT * FROM gestion_general")
        for fila in cursor:
            datos_tabla_gestion_general.append(fila)
    except sqlite3.Error as e:
        print("Error al obtener datos:", e)
    finally:
        self.mi_conexion.close()
 
    for dato in datos_tabla_gestion_general:
        tree.insert('', tk.END, values=dato)
 
    # Ajusta la ubicación del tree según tu diseño de interfaz gráfica
    tree.place(x=10, y=335)
 
 
 
 
    def seleccionar_registro_gestion_general(event):
        for registro in tree.selection():
            elemento_fila = tree.item(registro)
            resultado_fila = elemento_fila['values']
 
            self.id_gestion_general.set('')
            self.rif.set('')
            self.consejo_comunal.set('')
            self.telefono.set('')
            self.banco.set('')
            self.numero_de_cuenta.set('')
            self.sector.set('')
            self.parroquia.set('')
            self.municipio.set('')
            self.estado.set('')
 
            self.entry_id_gestion_general.config(state="normal")
            self.entry_id_gestion_general.delete(0, tk.END)  # Limpiar el campo antes de insertar
            self.entry_id_gestion_general.insert(0, resultado_fila[0])
 
            self.entry_rif.config(state="normal")
            self.entry_rif.delete(0, tk.END)
            self.entry_rif.insert(0, resultado_fila[1])
 
            self.entry_consejo_comunal.config(state="normal")
            self.entry_consejo_comunal.delete(0, tk.END)
            self.entry_consejo_comunal.insert(0,resultado_fila[2])
 
            self.entry_telefono.config(state="normal")
            self.entry_telefono.delete(0, tk.END)
            self.entry_telefono.insert(0,resultado_fila[3])
 
            self.entry_banco.config(state="normal")
            self.entry_banco.delete(0, tk.END)
            self.entry_banco.insert(0,resultado_fila[4])
 
            self.entry_numero_de_cuenta.config(state="normal")
            self.entry_numero_de_cuenta.delete(0, tk.END)
            self.entry_numero_de_cuenta.insert(0,resultado_fila[5])
 
            self.entry_sector.config(state="normal")
            self.entry_sector.delete(0, tk.END)
            self.entry_sector.insert(0,resultado_fila[6])
 
            self.entry_parroquia.config(state="normal")
            self.entry_parroquia.delete(0, tk.END)
            self.entry_parroquia.insert(0,resultado_fila[7])
 
            self.entry_municipio.config(state="normal")
            self.entry_municipio.delete(0, tk.END)
            self.entry_municipio.insert(0,resultado_fila[8])
 
            self.entry_estado.config(state="normal")
            self.entry_estado.delete(0, tk.END)
            self.entry_estado.insert(0,resultado_fila[9])
 
 
 
            tree.bind('<<TreeviewSelect>>', seleccionar_registro_gestion_general)
 
            # Ajusta la ubicación del tree y la scrollbar según tu diseño de interfaz gráfica
            tree.place(relx=0.01, rely=0.470, relwidth=0.97, relheight=0.44)
            scrollbar_gestion_general = ttk.Scrollbar(self.ventana_gestion_general, orient=tk.HORIZONTAL, command=tree.xview)
            tree.configure(xscroll=scrollbar_gestion_general.set)
            scrollbar_gestion_general.place(relx=0.9, rely=0.4, relwidth=0.02, relheight=0.5)
 
    def generar_pdf_gestion_general(self):
        try:
            cursor = self.mi_conexion.cursor()
            sql = "SELECT * FROM gestion_general"
            cursor.execute(sql)
            datos = cursor.fetchall()
            pdf = canvas.Canvas("reporte_gestion_general.pdf")
            pdf.setLineWidth(.3)
            pdf.setFont('Helvetica', 22)
            pdf.drawString(30, 750, 'Reporte de Gestión General')
            pdf.setFont('Helvetica', 12)
            pdf.drawString(30, 735, 'Consejos Comunales')
            pdf.setFont('Helvetica-Bold', 12)
            pdf.drawString(480, 750, "Fecha: ")
            pdf.drawString(500, 735, str(self.fecha))
            pdf.line(480, 731, 580, 731)
            pdf.setFont('Helvetica-Bold', 10)
            pdf.drawString(30, 710, 'ID')
            pdf.drawString(80, 710, 'RIF')
            pdf.drawString(150, 710, 'Consejo Comunal')
            pdf.drawString(300, 710, 'Telefono')
            pdf.drawString(400, 710, 'Banco')
            pdf.drawString(500, 710, 'Numero de Cuenta')
            y = 690
            for dato in datos:
                pdf.setFont('Helvetica', 10)
                pdf.drawString(30, y, str(dato[0]))
                pdf.drawString(80, y, str(dato[1]))
                pdf.drawString(150, y, str(dato[2]))
                pdf.drawString(300, y, str(dato[3]))
                pdf.drawString(400, y, str(dato[4]))
                pdf.drawString(500, y, str(dato[5]))
                y -= 20
            pdf.save()
            mb.showinfo(title="Generar PDF", message="El reporte ha sido generado correctamente.")
        except sqlite3.Error:
            mb.showerror(title="Generar PDF", message="No se pudo generar el reporte.")



gestion_general.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
from tkinter import *
from tkinter import ttk
from tkinter import messagebox
from tkinter import messagebox as mb
# Python Image Library
from PIL import ImageTk, Image
import tkinter as tk
from datetime import datetime
from tkinter import ttk
import sys
from funcion_gestion_general import Conexion
from funcion_gestion_general import *
import sqlite3
from BBDD import *
 
BBDD()
 
 
class Gestion_general():
    def __init__(self, ventana_gestion_general):
        self.ventana_gestion_general = ventana_gestion_general
        self.ventana_gestion_general.title("CONSEJO COMUNAL LA SABANA / GESTIÓN GENERAL")
        self.ventana_gestion_general.geometry("900x550+250+100")
        self.ventana_gestion_general.configure(bg="#2874A6")
        self.ventana_gestion_general.resizable(0, 0)
        self.ventana_gestion_general.config(bd=10)
 
 
        # --------------- invocar conexion --------------------
        self.base_de_datos = Conexion()
        conectar_con_los_metodos = Funcion_gestion_general()
 
 
        # --------------- Titulo --------------------
        # Crea los títulos
        titulo1 = tk.Label(ventana_gestion_general, text="Gestión General", fg="white", bg="#2874A6", font=("Arial Black", 15, "bold"), pady=20)
        titulo1.pack()
 
        # --------------- Imagenes para los botones --------------------
        # iconos
        # Cargar imágenes
        imagen_buscar = PhotoImage(file="C:/Users/yoclens/Desktop/CONSEJO3/imagenes/gestion_general.png")
 
        # --------------- label gestion general --------------------
        rif = tk.Label(ventana_gestion_general, text="Rif:", fg="white", bg="#2874A6", font=("Arial", 10, "bold")).place(x=100, y=100)
        consejo_comunal = tk.Label(ventana_gestion_general, text="Consejo Comunal:", fg="white", bg="#2874A6", font=("Arial", 10, "bold")).place(x=250, y=100)
        telefono = tk.Label(ventana_gestion_general, text="Teléfono:", fg="white", bg="#2874A6", font=("Arial", 10, "bold")).place(x=400, y=100)
        banco = tk.Label(ventana_gestion_general, text="Banco:", fg="white", bg="#2874A6", font=("Arial", 10, "bold")).place(x=550, y=100)
        numero_de_cuenta = tk.Label(ventana_gestion_general, text="Numero de Cuenta:", fg="white", bg="#2874A6", font=("Arial", 10, "bold")).place(x=100, y=160)
        sector = tk.Label(ventana_gestion_general, text="Sector:", fg="white", bg="#2874A6", font=("Arial", 10, "bold")).place(x=250, y=160)
        parroquia = tk.Label(ventana_gestion_general, text="Parroquia:", fg="white", bg="#2874A6", font=("Arial", 10, "bold")).place(x=400, y=160)
        municipio = tk.Label(ventana_gestion_general, text="Municipio:", fg="white", bg="#2874A6", font=("Arial", 10, "bold")).place(x=550, y=160)
        estado = tk.Label(ventana_gestion_general, text="Estado:", fg="white", bg="#2874A6", font=("Arial", 10, "bold")).place(x=100, y=230)
 
        # --------------- cajas gestion general --------------------
        rif_entry = tk.Entry(ventana_gestion_general)
        rif_entry.place(x=100, y=120)
 
        consejo_comunal_entry = tk.Entry(ventana_gestion_general)
        consejo_comunal_entry.place(x=250, y=120)
 
        telefono_entry = tk.Entry(ventana_gestion_general)
        telefono_entry.place(x=400, y=120)
 
        banco_entry = tk.Entry(ventana_gestion_general)
        banco_entry.place(x=550, y=120)
 
        numero_de_cuenta_entry = tk.Entry(ventana_gestion_general)
        numero_de_cuenta_entry.place(x=100, y=180)
 
        sector_entry = tk.Entry(ventana_gestion_general)
        sector_entry.place(x=250, y=180)
 
        parroquia_entry = tk.Entry(ventana_gestion_general)
        parroquia_entry.place(x=400, y=180)
 
        municipio_entry = tk.Entry(ventana_gestion_general)
        municipio_entry.place(x=550, y=180)
 
        estado_entry = tk.Entry(ventana_gestion_general)
        estado_entry.place(x=100, y=250)
 
        # --------------- botones gestion general --------------------
        boton_nuevo=Button(ventana_gestion_general, text="Nuevo", height=1, width=10, bg="white", fg="black", font=("Arial", 10,"bold"))
        boton_nuevo.place(x=210, y=290)
        boton_agregar=Button(ventana_gestion_general, text="Agregar", height=1, width=10, bg="white", fg="black", font=("Arial", 10,"bold"))
        boton_agregar.place(x=330, y=290)
        boton_modificar=Button(ventana_gestion_general, text="Modificar", height=1, width=10, bg="white", fg="black", font=("Arial", 10,"bold"))
        boton_modificar.place(x=450, y=290)
        boton_eliminar=Button(ventana_gestion_general, text="Eliminar", height=1, width=10, bg="white", fg="black", font=("Arial", 10,"bold"))
        boton_eliminar.place(x=570, y=290)
 
 
        # --------------- tabla general --------------------
        tabla = ttk.Treeview(ventana_gestion_general)
        tabla.place(x=100, y=350)
        conectar_con_los_metodos.tabla_gestion_general(tabla)
 
 
# Verificar si el módulo ha sido ejecutado correctamente
if __name__ == '__main__':
    ventana_gestion_general = tk.Tk()
    app = Gestion_general(ventana_gestion_general)
    ventana_gestion_general.mainloop()


uno de los problemas es que cuando quiero usar los métodos. siempre tengo error: pero ejemplo:

1
2
3
4
5
6
def insertar_datos_gestion_general(self):
def actualizar_datos_gestion_general(self):
def eliminar_datos_gestion_general(self):
def tabla_gestion_general(self):
def seleccionar_registro_gestion_general(event):
def generar_pdf_gestion_general(self):


1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
def tabla_gestion_general(self):
 
me muestra este error:
 
PS C:\Users\yoclens> & C:/Users/yoclens/AppData/Local/Programs/Python/Python312/python.exe c:/Users/yoclens/Desktop/CONSEJO3/gestion_general.py
Conexión exitosa con la base de datos
Traceback (most recent call last):
  File "c:\Users\yoclens\Desktop\CONSEJO3\gestion_general.py", line 103, in <module>
    app = Gestion_general(ventana_gestion_general)
          ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "c:\Users\yoclens\Desktop\CONSEJO3\gestion_general.py", line 97, in __init__
    conectar_con_los_metodos.tabla_gestion_general(tabla)
    ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
AttributeError: 'Funcion_gestion_general' object has no attribute 'tabla_gestion_general'
PS C:\Users\yoclens>
Valora esta pregunta
Me gusta: Está pregunta es útil y esta claraNo me gusta: Está pregunta no esta clara o no es útil
0
Responder
sin imagen de perfil

Aprendiendo python

Publicado por Santos (5 intervenciones) el 30/06/2024 11:33:54
Hola.

En un vistazo rápido lo que veo es que el método "tabla_gestion_general" está mal tabulado, por lo tanto quiere decir que no está incluido dentro de la clase "Funcion_gestion_general". Y le pasa lo mismo a "eliminar_datos_gestion_general".

Un saludo.
Valora esta respuesta
Me gusta: Está respuesta es útil y esta claraNo me gusta: Está respuesta no esta clara o no es útil
0
Comentar