File size: 11,399 Bytes
6337cd5
 
 
 
ed4ea1f
59db6f8
6337cd5
 
ed4ea1f
ee51cad
ed4ea1f
 
 
 
 
 
 
6337cd5
ee51cad
ed4ea1f
 
ee51cad
 
 
ed4ea1f
ee51cad
 
ed4ea1f
6337cd5
ee51cad
ed4ea1f
 
ee51cad
ed4ea1f
6337cd5
ee51cad
d3c3044
ed4ea1f
59db6f8
 
 
 
 
 
 
 
ee51cad
59db6f8
 
ee51cad
59db6f8
ed4ea1f
59db6f8
 
 
ed4ea1f
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
59db6f8
 
 
ee51cad
 
ed4ea1f
ee51cad
 
 
 
 
ed4ea1f
 
 
 
 
 
 
ee51cad
ed4ea1f
ee51cad
ed4ea1f
 
 
 
ee51cad
 
9cba783
ee51cad
 
ed4ea1f
 
 
ee51cad
 
 
 
ed4ea1f
59db6f8
 
 
 
 
ed4ea1f
59db6f8
ed4ea1f
59db6f8
6337cd5
ee51cad
d3c3044
ed4ea1f
59db6f8
ed4ea1f
e595151
ee51cad
59db6f8
ed4ea1f
 
59db6f8
ed4ea1f
 
ee51cad
 
 
ed4ea1f
 
ee51cad
ed4ea1f
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
52e535d
ee51cad
59db6f8
ed4ea1f
59db6f8
 
 
ed4ea1f
 
 
 
 
 
 
 
 
 
 
59db6f8
 
 
ee51cad
ed4ea1f
 
ee51cad
59db6f8
ee51cad
ed4ea1f
 
 
 
 
 
 
 
59db6f8
ee51cad
59db6f8
ed4ea1f
ee51cad
 
9cba783
ed4ea1f
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1cc5290
ed4ea1f
 
 
 
 
59db6f8
ed4ea1f
 
 
 
 
 
 
 
 
1cc5290
ed4ea1f
 
ee51cad
9cba783
ed4ea1f
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
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
import streamlit as st
import pandas as pd
import numpy as np
import warnings
from typing import Dict, List, Any, Tuple
from scipy import stats
warnings.filterwarnings('ignore')

# All cached data processing functions
@st.cache_data
def load_csv_with_encoding(file_content: bytes, filename: str) -> pd.DataFrame:
    """Load CSV with automatic encoding detection - cached"""
    import chardet
    
    detected = chardet.detect(file_content)
    encoding = detected['encoding']
    
    try:
        from io import BytesIO
        return pd.read_csv(BytesIO(file_content), encoding=encoding)
    except:
        encodings = ['utf-8', 'latin-1', 'cp1252', 'iso-8859-1']
        for enc in encodings:
            try:
                return pd.read_csv(BytesIO(file_content), encoding=enc)
            except:
                continue
        raise Exception("Cannot read file with any encoding")

@st.cache_data
def load_excel_file(file_content: bytes) -> pd.DataFrame:
    """Load Excel file - cached"""
    from io import BytesIO
    return pd.read_excel(BytesIO(file_content))

@st.cache_data
def calculate_basic_stats(df: pd.DataFrame) -> Dict[str, Any]:
    """Calculate basic statistics - cached"""
    dtype_counts = df.dtypes.value_counts()
    dtype_dict = {str(k): int(v) for k, v in dtype_counts.items()}
    
    return {
        'shape': df.shape,
        'memory_usage': float(df.memory_usage(deep=True).sum() / 1024**2),
        'missing_values': int(df.isnull().sum().sum()),
        'dtypes': dtype_dict,
        'duplicates': int(df.duplicated().sum())
    }

@st.cache_data
def calculate_column_cardinality(df: pd.DataFrame) -> pd.DataFrame:
    """Calculate column cardinality analysis - cached"""
    cardinality_data = []
    
    for col in df.columns:
        unique_count = df[col].nunique()
        unique_ratio = unique_count / len(df)
        
        # Determine column type based on cardinality
        if unique_count == 1:
            col_type = "Constant"
        elif unique_count == len(df):
            col_type = "Unique Identifier"
        elif unique_ratio < 0.05:
            col_type = "Low Cardinality"
        elif unique_ratio < 0.5:
            col_type = "Medium Cardinality"
        else:
            col_type = "High Cardinality"
        
        cardinality_data.append({
            'Column': col,
            'Unique Count': unique_count,
            'Unique Ratio': unique_ratio,
            'Type': col_type,
            'Data Type': str(df[col].dtype)
        })
    
    return pd.DataFrame(cardinality_data)

@st.cache_data
def calculate_memory_optimization(df: pd.DataFrame) -> Dict[str, Any]:
    """Calculate memory optimization suggestions - cached"""
    suggestions = []
    current_memory = df.memory_usage(deep=True).sum() / 1024**2
    potential_savings = 0
    
    for col in df.columns:
        if df[col].dtype == 'object':
            unique_ratio = df[col].nunique() / len(df)
            if unique_ratio < 0.5:  # Less than 50% unique values
                # Estimate category memory usage
                category_memory = df[col].astype('category').memory_usage(deep=True)
                object_memory = df[col].memory_usage(deep=True)
                savings = (object_memory - category_memory) / 1024**2
                
                if savings > 0.1:  # More than 0.1MB savings
                    suggestions.append({
                        'column': col,
                        'current_type': 'object',
                        'suggested_type': 'category',
                        'savings_mb': savings
                    })
                    potential_savings += savings
    
    return {
        'suggestions': suggestions,
        'current_memory_mb': current_memory,
        'potential_savings_mb': potential_savings,
        'potential_savings_pct': (potential_savings / current_memory) * 100 if current_memory > 0 else 0
    }

@st.cache_data
def calculate_missing_data(df: pd.DataFrame) -> pd.DataFrame:
    """Calculate missing data analysis - cached"""
    missing_data = df.isnull().sum()
    if missing_data.sum() > 0:
        missing_df = pd.DataFrame({
            'Column': missing_data.index,
            'Missing Count': missing_data.values,
            'Missing %': (missing_data.values / len(df)) * 100
        })
        return missing_df[missing_df['Missing Count'] > 0].sort_values('Missing %', ascending=False)
    return pd.DataFrame()

@st.cache_data
def calculate_correlation_matrix(df: pd.DataFrame) -> pd.DataFrame:
    """Calculate correlation matrix - cached"""
    numeric_cols = df.select_dtypes(include=[np.number]).columns.tolist()
    return df[numeric_cols].corr() if len(numeric_cols) > 1 else pd.DataFrame()

@st.cache_data
def get_column_types(df: pd.DataFrame) -> Dict[str, List[str]]:
    """Get column types - cached"""
    return {
        'numeric': df.select_dtypes(include=[np.number]).columns.tolist(),
        'categorical': df.select_dtypes(include=['object']).columns.tolist(),
        'datetime': df.select_dtypes(include=['datetime64']).columns.tolist()
    }

@st.cache_data
def calculate_numeric_stats(df: pd.DataFrame, column: str) -> Dict[str, float]:
    """Calculate enhanced numeric statistics - cached"""
    series = df[column].dropna()
    return {
        'mean': series.mean(),
        'median': series.median(),
        'std': series.std(),
        'skewness': series.skew(),
        'kurtosis': series.kurtosis(),
        'min': series.min(),
        'max': series.max(),
        'q25': series.quantile(0.25),
        'q75': series.quantile(0.75)
    }

@st.cache_data
def calculate_outliers(df: pd.DataFrame, column: str) -> pd.DataFrame:
    """Calculate outliers using IQR method - cached"""
    Q1 = df[column].quantile(0.25)
    Q3 = df[column].quantile(0.75)
    IQR = Q3 - Q1
    lower_bound = Q1 - 1.5 * IQR
    upper_bound = Q3 + 1.5 * IQR
    
    return df[(df[column] < lower_bound) | (df[column] > upper_bound)]

@st.cache_data
def detect_mixed_types(df: pd.DataFrame) -> List[Dict[str, Any]]:
    """Detect columns with mixed data types - cached"""
    mixed_type_issues = []
    
    for col in df.select_dtypes(include=['object']).columns:
        # Try to convert to numeric
        numeric_conversion = pd.to_numeric(df[col], errors='coerce')
        new_nulls = numeric_conversion.isnull().sum() - df[col].isnull().sum()
        
        if new_nulls > 0:
            mixed_type_issues.append({
                'column': col,
                'problematic_values': new_nulls,
                'total_values': len(df[col]),
                'percentage': (new_nulls / len(df[col])) * 100
            })
    
    return mixed_type_issues

@st.cache_data
def get_value_counts(df: pd.DataFrame, column: str, top_n: int = 10) -> pd.Series:
    """Get value counts for categorical column - cached"""
    return df[column].value_counts().head(top_n)

@st.cache_data
def calculate_crosstab(df: pd.DataFrame, col1: str, col2: str) -> pd.DataFrame:
    """Calculate crosstab between two categorical columns - cached"""
    return pd.crosstab(df[col1], df[col2])

@st.cache_data
def calculate_group_stats(df: pd.DataFrame, group_col: str, metric_col: str) -> pd.DataFrame:
    """Calculate group statistics - cached"""
    return df.groupby(group_col)[metric_col].agg(['mean', 'median', 'std', 'count'])

@st.cache_data
def calculate_data_quality_score(df: pd.DataFrame) -> Dict[str, Any]:
    """Calculate overall data quality score - cached"""
    score = 100
    issues = []
    
    # Missing values penalty
    missing_pct = (df.isnull().sum().sum() / (len(df) * len(df.columns))) * 100
    if missing_pct > 0:
        penalty = min(30, missing_pct * 2)  # Max 30 points penalty
        score -= penalty
        issues.append(f"Missing values: {missing_pct:.1f}%")
    
    # Duplicates penalty
    duplicate_pct = (df.duplicated().sum() / len(df)) * 100
    if duplicate_pct > 0:
        penalty = min(20, duplicate_pct * 4)  # Max 20 points penalty
        score -= penalty
        issues.append(f"Duplicate rows: {duplicate_pct:.1f}%")
    
    # Constant columns penalty
    constant_cols = [col for col in df.columns if df[col].nunique() == 1]
    if constant_cols:
        penalty = min(10, len(constant_cols) * 2)
        score -= penalty
        issues.append(f"Constant columns: {len(constant_cols)}")
    
    # Mixed types penalty
    mixed_types = detect_mixed_types(df)
    if mixed_types:
        penalty = min(10, len(mixed_types) * 3)
        score -= penalty
        issues.append(f"Mixed type columns: {len(mixed_types)}")
    
    return {
        'score': max(0, score),
        'issues': issues,
        'grade': 'A' if score >= 90 else 'B' if score >= 80 else 'C' if score >= 70 else 'D' if score >= 60 else 'F'
    }

def load_data(uploaded_file):
    """Unified data loading function"""
    file_content = uploaded_file.read()
    uploaded_file.seek(0)
    
    if uploaded_file.name.endswith('.csv'):
        return load_csv_with_encoding(file_content, uploaded_file.name)
    else:
        return load_excel_file(file_content)

def apply_data_cleaning(df: pd.DataFrame, operations: List[Dict[str, Any]]) -> pd.DataFrame:
    """Apply data cleaning operations"""
    cleaned_df = df.copy()
    
    for operation in operations:
        if operation['type'] == 'fill_missing':
            if operation['method'] == 'mean':
                cleaned_df[operation['column']] = cleaned_df[operation['column']].fillna(
                    cleaned_df[operation['column']].mean())
            elif operation['method'] == 'median':
                cleaned_df[operation['column']] = cleaned_df[operation['column']].fillna(
                    cleaned_df[operation['column']].median())
            elif operation['method'] == 'mode':
                cleaned_df[operation['column']] = cleaned_df[operation['column']].fillna(
                    cleaned_df[operation['column']].mode().iloc[0] if not cleaned_df[operation['column']].mode().empty else 0)
            elif operation['method'] == 'drop':
                cleaned_df = cleaned_df.dropna(subset=[operation['column']])
        
        elif operation['type'] == 'remove_duplicates':
            cleaned_df = cleaned_df.drop_duplicates()
        
        elif operation['type'] == 'remove_outliers':
            Q1 = cleaned_df[operation['column']].quantile(0.25)
            Q3 = cleaned_df[operation['column']].quantile(0.75)
            IQR = Q3 - Q1
            lower_bound = Q1 - 1.5 * IQR
            upper_bound = Q3 + 1.5 * IQR
            cleaned_df = cleaned_df[
                (cleaned_df[operation['column']] >= lower_bound) & 
                (cleaned_df[operation['column']] <= upper_bound)
            ]
        
        elif operation['type'] == 'cap_outliers':
            Q1 = cleaned_df[operation['column']].quantile(0.25)
            Q3 = cleaned_df[operation['column']].quantile(0.75)
            IQR = Q3 - Q1
            lower_bound = Q1 - 1.5 * IQR
            upper_bound = Q3 + 1.5 * IQR
            cleaned_df[operation['column']] = cleaned_df[operation['column']].clip(lower_bound, upper_bound)
        
        elif operation['type'] == 'convert_type':
            if operation['target_type'] == 'category':
                cleaned_df[operation['column']] = cleaned_df[operation['column']].astype('category')
    
    return cleaned_df