File size: 18,413 Bytes
a4f27d8
 
 
 
 
 
 
6fb53ca
a4f27d8
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
6fb53ca
 
 
 
 
 
 
 
a4f27d8
 
 
 
6fb53ca
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
a4f27d8
6fb53ca
 
 
a4f27d8
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
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
import streamlit as st
import pandas as pd
import numpy as np
import matplotlib.pyplot as plt
import seaborn as sns
import io
import base64
import chardet
from pandas.api.types import is_numeric_dtype

st.set_page_config(page_title="EDA y Limpieza de Datos", layout="wide")

# Funci贸n para generar enlace de descarga
def get_download_link(df, filename, text):
    csv = df.to_csv(index=False)
    b64 = base64.b64encode(csv.encode()).decode()
    href = f'<a href="data:file/csv;base64,{b64}" download="{filename}.csv">{text}</a>'
    return href

# Funci贸n para crear un resumen detallado de los datos
def generate_data_summary(df):
    # Informaci贸n b谩sica
    st.header("馃搳 Informaci贸n General del Dataset")
    col1, col2, col3 = st.columns(3)
    with col1:
        st.metric("Filas", df.shape[0])
    with col2:
        st.metric("Columnas", df.shape[1])
    with col3:
        st.metric("Valores nulos totales", df.isna().sum().sum())
    
    # Primeras filas
    st.subheader("Vista previa de los datos")
    st.dataframe(df.head())
    
    # Tipos de datos
    st.subheader("Tipos de datos")
    dtypes_df = pd.DataFrame(df.dtypes, columns=['Tipo de dato'])
    dtypes_df.index.name = 'Columna'
    dtypes_df = dtypes_df.reset_index()
    st.dataframe(dtypes_df)
    
    # Resumen estad铆stico para columnas num茅ricas
    st.subheader("Resumen estad铆stico")
    st.dataframe(df.describe())
    
    # An谩lisis de valores nulos
    st.subheader("An谩lisis de valores nulos")
    null_counts = df.isnull().sum()
    null_percentages = (null_counts / len(df) * 100).round(2)
    nulls_df = pd.DataFrame({
        'Valores nulos': null_counts,
        'Porcentaje (%)': null_percentages
    })
    nulls_df = nulls_df[nulls_df['Valores nulos'] > 0].sort_values('Valores nulos', ascending=False)
    
    if not nulls_df.empty:
        st.dataframe(nulls_df)
        
        # Visualizaci贸n de valores nulos
        st.subheader("Visualizaci贸n de valores nulos")
        fig, ax = plt.subplots(figsize=(10, 6))
        sns.heatmap(df.isnull(), yticklabels=False, cbar=False, cmap='viridis', ax=ax)
        st.pyplot(fig)
    else:
        st.success("隆No hay valores nulos en el dataset!")

# Funci贸n para visualizar distribuciones
def visualize_distributions(df):
    st.header("馃搱 Visualizaci贸n de Distribuciones")
    
    numeric_cols = df.select_dtypes(include='number').columns.tolist()
    categorical_cols = df.select_dtypes(exclude='number').columns.tolist()
    
    if numeric_cols:
        st.subheader("Columnas num茅ricas")
        selected_num_col = st.selectbox("Selecciona una columna num茅rica", numeric_cols)
        
        col1, col2 = st.columns(2)
        with col1:
            fig, ax = plt.subplots(figsize=(10, 6))
            sns.histplot(df[selected_num_col].dropna(), kde=True, ax=ax)
            plt.title(f'Distribuci贸n de {selected_num_col}')
            plt.xlabel(selected_num_col)
            plt.ylabel('Frecuencia')
            st.pyplot(fig)
        
        with col2:
            fig, ax = plt.subplots(figsize=(10, 6))
            sns.boxplot(y=df[selected_num_col].dropna(), ax=ax)
            plt.title(f'Boxplot de {selected_num_col}')
            st.pyplot(fig)
    
    if categorical_cols:
        st.subheader("Columnas categ贸ricas")
        selected_cat_col = st.selectbox("Selecciona una columna categ贸rica", categorical_cols)
        
        fig, ax = plt.subplots(figsize=(10, 6))
        value_counts = df[selected_cat_col].value_counts().sort_values(ascending=False)
        
        # Limitar el n煤mero de categor铆as mostradas para mayor claridad
        if len(value_counts) > 15:
            other_count = value_counts[15:].sum()
            value_counts = value_counts[:15]
            value_counts['Otros'] = other_count
        
        sns.barplot(x=value_counts.index, y=value_counts.values, ax=ax)
        plt.title(f'Distribuci贸n de {selected_cat_col}')
        plt.xticks(rotation=45, ha='right')
        plt.tight_layout()
        st.pyplot(fig)

# Funci贸n para correlaciones
def visualize_correlations(df):
    st.header("馃攧 An谩lisis de Correlaciones")
    
    numeric_cols = df.select_dtypes(include='number').columns.tolist()
    
    if len(numeric_cols) >= 2:
        # Matriz de correlaci贸n
        st.subheader("Matriz de correlaci贸n")
        corr_matrix = df[numeric_cols].corr()
        
        fig, ax = plt.subplots(figsize=(10, 8))
        sns.heatmap(corr_matrix, annot=True, cmap='coolwarm', fmt=".2f", linewidths=0.5, ax=ax)
        plt.tight_layout()
        st.pyplot(fig)
        
        # Correlaci贸n entre dos variables espec铆ficas
        st.subheader("Correlaci贸n entre dos variables")
        col1, col2 = st.columns(2)
        with col1:
            x_var = st.selectbox("Variable X", numeric_cols)
        with col2:
            y_var = st.selectbox("Variable Y", numeric_cols, index=min(1, len(numeric_cols)-1))
        
        fig, ax = plt.subplots(figsize=(10, 6))
        sns.scatterplot(data=df, x=x_var, y=y_var, ax=ax)
        plt.title(f'Correlaci贸n entre {x_var} y {y_var}')
        st.pyplot(fig)
    else:
        st.info("Se necesitan al menos dos columnas num茅ricas para analizar correlaciones.")

# Funci贸n para limpiar datos
def clean_data(df):
    st.header("馃Ч Limpieza de Datos")
    
    cleaned_df = df.copy()
    
    # 1. Manejo de valores nulos
    st.subheader("Manejo de valores nulos")
    
    null_columns = df.columns[df.isnull().any()].tolist()
    if null_columns:
        for column in null_columns:
            st.markdown(f"**Columna: {column}**")
            col_type = 'num茅rica' if is_numeric_dtype(df[column]) else 'categ贸rica'
            
            method = st.radio(
                f"驴C贸mo quieres manejar los valores nulos en '{column}' (columna {col_type})?",
                options=[
                    "Eliminar filas con valores nulos",
                    f"Reemplazar con la media (para columnas num茅ricas)" if is_numeric_dtype(df[column]) else "Reemplazar con la moda (para columnas categ贸ricas)",
                    "Reemplazar con cero (para columnas num茅ricas)" if is_numeric_dtype(df[column]) else "Reemplazar con un valor espec铆fico",
                    "No hacer nada"
                ],
                key=f"null_{column}"
            )
            
            if method == "Eliminar filas con valores nulos":
                cleaned_df = cleaned_df.dropna(subset=[column])
                st.info(f"Se eliminar谩n {df[column].isna().sum()} filas con valores nulos en '{column}'")
            
            elif method == "Reemplazar con la media (para columnas num茅ricas)":
                mean_value = df[column].mean()
                cleaned_df[column] = cleaned_df[column].fillna(mean_value)
                st.info(f"Los valores nulos en '{column}' ser谩n reemplazados con la media: {mean_value:.2f}")
            
            elif method == "Reemplazar con la moda (para columnas categ贸ricas)":
                mode_value = df[column].mode()[0]
                cleaned_df[column] = cleaned_df[column].fillna(mode_value)
                st.info(f"Los valores nulos en '{column}' ser谩n reemplazados con la moda: {mode_value}")
            
            elif method == "Reemplazar con cero (para columnas num茅ricas)":
                cleaned_df[column] = cleaned_df[column].fillna(0)
                st.info(f"Los valores nulos en '{column}' ser谩n reemplazados con cero")
            
            elif method == "Reemplazar con un valor espec铆fico":
                custom_value = st.text_input(f"Valor de reemplazo para '{column}':", key=f"custom_{column}")
                if custom_value:
                    cleaned_df[column] = cleaned_df[column].fillna(custom_value)
    else:
        st.success("隆No hay valores nulos que tratar!")
    
    # 2. Manejo de duplicados
    st.subheader("Manejo de duplicados")
    duplicates = df.duplicated().sum()
    
    if duplicates > 0:
        st.warning(f"Se encontraron {duplicates} filas duplicadas en el dataset.")
        remove_duplicates = st.checkbox("Eliminar filas duplicadas")
        if remove_duplicates:
            cleaned_df = cleaned_df.drop_duplicates()
            st.info(f"Se eliminar谩n {duplicates} filas duplicadas.")
    else:
        st.success("隆No hay filas duplicadas en el dataset!")
    
    # 3. Manejo de valores at铆picos (outliers)
    st.subheader("Manejo de valores at铆picos (outliers)")
    
    numeric_cols = df.select_dtypes(include=['number']).columns.tolist()
    if numeric_cols:
        outlier_handling = st.checkbox("驴Quieres tratar los valores at铆picos?")
        
        if outlier_handling:
            selected_col = st.selectbox("Selecciona una columna num茅rica para analizar outliers", numeric_cols)
            
            # Visualizar la distribuci贸n con posibles outliers
            fig, ax = plt.subplots(figsize=(10, 6))
            sns.boxplot(y=df[selected_col], ax=ax)
            plt.title(f'Boxplot de {selected_col} - Identificaci贸n de outliers')
            st.pyplot(fig)
            
            # Calcular l铆mites para outliers usando el m茅todo IQR
            Q1 = df[selected_col].quantile(0.25)
            Q3 = df[selected_col].quantile(0.75)
            IQR = Q3 - Q1
            lower_bound = Q1 - 1.5 * IQR
            upper_bound = Q3 + 1.5 * IQR
            
            outliers = df[(df[selected_col] < lower_bound) | (df[selected_col] > upper_bound)][selected_col]
            
            if not outliers.empty:
                st.warning(f"Se encontraron {len(outliers)} valores at铆picos en '{selected_col}'.")
                outlier_method = st.radio(
                    f"驴C贸mo quieres manejar los outliers en '{selected_col}'?",
                    options=[
                        "Recortar (capping)",
                        "Eliminar filas con outliers",
                        "No hacer nada"
                    ],
                    key=f"outlier_{selected_col}"
                )
                
                if outlier_method == "Recortar (capping)":
                    cleaned_df[selected_col] = cleaned_df[selected_col].clip(lower_bound, upper_bound)
                    st.info(f"Los valores at铆picos en '{selected_col}' ser谩n recortados a [{lower_bound:.2f}, {upper_bound:.2f}]")
                
                elif outlier_method == "Eliminar filas con outliers":
                    mask = (cleaned_df[selected_col] >= lower_bound) & (cleaned_df[selected_col] <= upper_bound)
                    cleaned_df = cleaned_df[mask]
                    st.info(f"Se eliminar谩n {len(outliers)} filas con valores at铆picos en '{selected_col}'")
            else:
                st.success(f"隆No se encontraron valores at铆picos en '{selected_col}'!")
    
    # 4. Transformaci贸n de tipos de datos
    st.subheader("Transformaci贸n de tipos de datos")
    type_conversion = st.checkbox("驴Quieres convertir el tipo de alguna columna?")
    
    if type_conversion:
        col1, col2 = st.columns(2)
        with col1:
            column_to_convert = st.selectbox("Selecciona una columna", df.columns)
        with col2:
            new_type = st.selectbox("Nuevo tipo de dato", options=['int', 'float', 'string', 'datetime', 'category'])
        
        try:
            if new_type == 'int':
                cleaned_df[column_to_convert] = cleaned_df[column_to_convert].astype(int)
            elif new_type == 'float':
                cleaned_df[column_to_convert] = cleaned_df[column_to_convert].astype(float)
            elif new_type == 'string':
                cleaned_df[column_to_convert] = cleaned_df[column_to_convert].astype(str)
            elif new_type == 'datetime':
                cleaned_df[column_to_convert] = pd.to_datetime(cleaned_df[column_to_convert])
            elif new_type == 'category':
                cleaned_df[column_to_convert] = cleaned_df[column_to_convert].astype('category')
            st.success(f"La columna '{column_to_convert}' ha sido convertida a tipo {new_type}")
        except Exception as e:
            st.error(f"Error al convertir el tipo de dato: {str(e)}")
    
    return cleaned_df

# Aplicaci贸n principal
def main():
    st.title("馃搳 An谩lisis Exploratorio de Datos (EDA) y Limpieza")
    st.markdown("""
    Esta aplicaci贸n te permite realizar un an谩lisis exploratorio completo de tus datos,
    visualizar su distribuci贸n y realizar operaciones de limpieza paso a paso.
    """)
    
    # Subir archivo
    st.header("馃搧 Carga tu archivo")
    uploaded_file = st.file_uploader("Selecciona un archivo CSV o Excel", type=['csv', 'xlsx', 'xls'])
    
    # Opciones avanzadas de importaci贸n
    with st.expander("Opciones avanzadas de importaci贸n"):
        custom_encoding = st.text_input("Especificar codificaci贸n personalizada (opcional)", placeholder="Ejemplo: latin1, utf-8-sig, cp1252")
        csv_separator = st.text_input("Separador CSV personalizado (opcional)", placeholder="Por defecto: ," )
        skip_rows = st.number_input("Saltar filas iniciales", min_value=0, value=0)
        detect_encoding = st.checkbox("Detectar autom谩ticamente la codificaci贸n (puede ser lento para archivos grandes)")
        decimal_separator = st.radio("Separador decimal", options=[".", ","], index=0)
    
    if uploaded_file is not None:
        try:
            # Determinar tipo de archivo y leerlo
            if uploaded_file.name.endswith('.csv'):
                try:
                    # Preparar opciones para read_csv
                    csv_options = {
                        'skiprows': skip_rows,
                        'decimal': decimal_separator
                    }
                    
                    # Agregar separador personalizado si se proporciona
                    if csv_separator:
                        csv_options['sep'] = csv_separator
                    
                    # Detectar codificaci贸n si est谩 marcada la opci贸n
                    if detect_encoding:
                        uploaded_file.seek(0)
                        result = chardet.detect(uploaded_file.read())
                        detected_encoding = result['encoding']
                        confidence = result['confidence']
                        uploaded_file.seek(0)
                        
                        st.info(f"Codificaci贸n detectada: {detected_encoding} (confianza: {confidence:.2f})")
                        csv_options['encoding'] = detected_encoding
                    
                    # Usar codificaci贸n personalizada si se proporciona
                    elif custom_encoding:
                        csv_options['encoding'] = custom_encoding
                    else:
                        # Intentar con diferentes codificaciones
                        encodings = ['utf-8', 'latin1', 'ISO-8859-1', 'cp1252']
                        
                        for encoding in encodings:
                            try:
                                # Reiniciar la posici贸n del archivo para cada intento
                                uploaded_file.seek(0)
                                df = pd.read_csv(uploaded_file, encoding=encoding, **csv_options)
                                st.success(f"Archivo le铆do correctamente usando codificaci贸n: {encoding}")
                                break
                            except UnicodeDecodeError:
                                continue
                        else:  # Este bloque se ejecuta si el bucle termina sin un break
                            raise Exception("No se pudo decodificar el archivo con ninguna de las codificaciones intentadas.")
                    
                    # Si llegamos aqu铆 con una codificaci贸n personalizada o detectada
                    if custom_encoding or detect_encoding:
                        uploaded_file.seek(0)
                        df = pd.read_csv(uploaded_file, **csv_options)
                
                except Exception as e:
                    # Si todas las opciones fallan, intentar con reemplazo de caracteres
                    uploaded_file.seek(0)
                    # Agregamos low_memory=False para evitar problemas con archivos grandes
                    df = pd.read_csv(uploaded_file, encoding_errors='replace', low_memory=False, **csv_options)
                    st.warning(f"Se us贸 reemplazo de caracteres desconocidos. Algunos caracteres pueden no verse correctamente.")
            else:
                # Opciones para archivos Excel
                excel_options = {'skiprows': skip_rows}
                df = pd.read_excel(uploaded_file, **excel_options)
            
            # Crear pesta帽as para organizar el an谩lisis
            tab1, tab2, tab3, tab4 = st.tabs(["馃搳 Resumen de datos", "馃搱 Visualizaciones", "馃攧 Correlaciones", "馃Ч Limpieza"])
            
            with tab1:
                generate_data_summary(df)
            
            with tab2:
                visualize_distributions(df)
            
            with tab3:
                visualize_correlations(df)
            
            with tab4:
                cleaned_df = clean_data(df)
                
                if st.button("Aplicar cambios y descargar datos limpios"):
                    st.success("隆Limpieza de datos completada!")
                    
                    # Mostrar comparaci贸n
                    st.subheader("Comparaci贸n: Datos originales vs. Datos limpios")
                    col1, col2 = st.columns(2)
                    with col1:
                        st.write("Datos originales")
                        st.metric("Filas", df.shape[0])
                        st.metric("Valores nulos", df.isna().sum().sum())
                    with col2:
                        st.write("Datos limpios")
                        st.metric("Filas", cleaned_df.shape[0])
                        st.metric("Valores nulos", cleaned_df.isna().sum().sum())
                    
                    # Generar enlace de descarga
                    st.markdown(get_download_link(cleaned_df, "datos_limpios", "馃摜 Descargar datos limpios (CSV)"), unsafe_allow_html=True)
        
        except Exception as e:
            st.error(f"Error al procesar el archivo: {str(e)}")

if __name__ == "__main__":
    main()