-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathdata_analysis.py
280 lines (210 loc) · 9.9 KB
/
data_analysis.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
import pandas as pd
import matplotlib.pyplot as plt
import matplotlib
matplotlib.use('Agg')
def load_data(file_path):
# Cargar datos desde un archivo Excel
return pd.read_excel(file_path)
def clean_data(df):
# Eliminar filas donde "Precio" es "ND"
df = df[df['Precio'] != '$ND'].copy()
# Convertir el precio a float después de eliminar caracteres no deseados
df.loc[:, 'Precio'] = df['Precio'].replace('[\$,]', '', regex=True).astype(float)
# Convertir el año a entero
df.loc[:, 'Año'] = df['Año'].astype(int)
return df
def get_average_price_by_year(df):
# Obtener el precio promedio por año
return df.groupby('Año')['Precio'].mean()
def get_most_common_models(df, top_n=10):
# Obtener los modelos de carros más comunes
return df['Version'].value_counts().head(top_n)
def get_most_expensive_models(df, top_n=10):
# Obtener los modelos de carros más caros
return df.groupby('Version')['Precio'].max().nlargest(top_n)
def get_cheapest_models(df, top_n=10):
# Obtener los modelos de carros más baratos
return df.groupby('Version')['Precio'].min().nsmallest(top_n)
def plot_average_price_by_year(df):
# Graficar el precio promedio por año
avg_price_by_year = get_average_price_by_year(df)
avg_price_by_year.plot(kind='line')
plt.title('Precio Promedio de carros por Año')
plt.xlabel('Año')
plt.ylabel('Precio Promedio')
plt.grid(True)
plt.savefig('precio_promedio_por_año.png')
def plot_most_common_models(df, top_n=10):
# Obtener los modelos de coches más comunes
most_common_models = get_most_common_models(df, top_n)
# Crear la gráfica de barras
plt.figure(figsize=(10, 6))
bars = most_common_models.plot(kind='bar')
# Ajustar los valores del eje y
max_y = most_common_models.max() + 10 # Un poco más alto que el valor máximo para mejor visualización
plt.ylim(0, max_y)
# Título y etiquetas
plt.title(f'Top {top_n} Modelos de carros Más Comunes')
plt.xlabel('Modelo de Carro')
plt.ylabel('Cantidad')
# Rotar las etiquetas del eje x para mejor visualización
plt.xticks(rotation=45, ha="right")
# Ajustar el margen inferior para evitar que las etiquetas se corten
plt.subplots_adjust(bottom=0.25)
# Añadir etiquetas de conteo encima de cada barra
for bar in bars.patches:
plt.annotate(format(bar.get_height(), ',d'),
(bar.get_x() + bar.get_width() / 2, bar.get_height()),
ha='center', va='center',
size=10, xytext=(0, 8),
textcoords='offset points')
# Añadir cuadrícula para facilitar la lectura de valores
plt.grid(True, axis='y')
# Guardar la gráfica
plt.savefig('modelos_mas_comunes.png')
def plot_most_expensive_models(df, top_n=10):
# Obtener los modelos de coches más caros
most_expensive_models = get_most_expensive_models(df, top_n)
# Crear la gráfica de barras
plt.figure(figsize=(10, 6))
bars = most_expensive_models.plot(kind='bar')
# Ajustar los valores del eje y
max_y = most_expensive_models.max() + 1000 # Un poco más alto que el valor máximo para mejor visualización
plt.ylim(0, max_y)
# Título y etiquetas
plt.title(f'Top {top_n} Modelos de carros Más Caros')
plt.xlabel('Modelo de Carro')
plt.ylabel('Precio')
# Rotar las etiquetas del eje x para mejor visualización
plt.xticks(rotation=45, ha="right")
# Ajustar el margen inferior para evitar que las etiquetas se corten
plt.subplots_adjust(bottom=0.25)
# Añadir etiquetas de precio encima de cada barra
for bar in bars.patches:
plt.annotate(f"${bar.get_height():,}",
(bar.get_x() + bar.get_width() / 2, bar.get_height()),
ha='center', va='center',
size=10, xytext=(0, 8),
textcoords='offset points')
# Añadir cuadrícula para facilitar la lectura de valores
plt.grid(True, axis='y')
# Guardar la gráfica
plt.savefig('modelos_mas_caros.png')
def plot_cheapest_models(df, top_n=10):
# Obtener los modelos de coches más baratos
cheapest_models = get_cheapest_models(df, top_n)
# Crear la gráfica de barras
plt.figure(figsize=(10, 6))
bars = cheapest_models.plot(kind='bar')
# Ajustar los valores del eje y
max_y = cheapest_models.max() + 1000 # Un poco más alto que el valor máximo para mejor visualización
plt.ylim(0, max_y)
# Título y etiquetas
plt.title(f'Top {top_n} Modelos de carros Más Baratos')
plt.xlabel('Modelo de Carro')
plt.ylabel('Precio')
# Rotar las etiquetas del eje x para mejor visualización
plt.xticks(rotation=45, ha="right")
# Ajustar el margen inferior para evitar que las etiquetas se corten
plt.subplots_adjust(bottom=0.25)
# Añadir etiquetas de precio encima de cada barra
for bar in bars.patches:
plt.annotate(f"${bar.get_height():,}",
(bar.get_x() + bar.get_width() / 2, bar.get_height()),
ha='center', va='center',
size=10, xytext=(0, 8),
textcoords='offset points')
# Añadir cuadrícula para facilitar la lectura de valores
plt.grid(True, axis='y')
# Guardar la gráfica
plt.savefig('modelos_mas_baratos.png')
def clean_data(df):
# Remove rows where "Precio" is "ND"
df = df[df['Precio'] != '$ND'].copy()
# Convert the "Precio" column to float after removing unwanted characters
df['Precio'] = df['Precio'].replace('[\$,]', '', regex=True)
# Identify and remove rows where "Precio" is not numeric
df = df[pd.to_numeric(df['Precio'], errors='coerce').notnull()]
df['Precio'] = df['Precio'].astype(float)
# Convert the "Año" column to integer
df['Año'] = df['Año'].astype(int)
return df
def clean_data_yuplon(df):
# Clean the Price and Discount columns
df['Price'] = df['Price'].str.replace('₡', '').str.replace(' ', '').str.split(',', expand=True)[
0]
df['Price'] = df['Price'].astype(float)
df['Original Price'] = \
df['Original Price'].str.replace('₡', '').str.replace(' ', '').str.split(',', expand=True)[0]
df['Original Price'] = df['Original Price'].astype(float)
df['Discount'] = df['Discount'].replace('%', '', regex=True).astype(float)
df['Vendidas'] = df['Vendidas'].replace('[,]', '', regex=True).astype(int)
return df
def plot_most_discount_offers(df):
# Offers with most discount
most_discount_offers = df.sort_values(by='Discount', ascending=False).head(10)
plt.figure(figsize=(14, 10))
plt.barh(most_discount_offers['Main Offer'], most_discount_offers['Discount'], color='skyblue')
plt.xlabel('Porcentaje de Descuento')
plt.title('Top 10 Ofertas con Mayor Descuento')
plt.tight_layout(pad=3)
plt.savefig('top_10_ofertas_mayor_descuento.png')
def plot_relation_price_vendidas_discount(df):
# Relation between Vendidas, Price, and Discount
plt.figure(figsize=(14, 10))
plt.scatter(df['Price'], df['Vendidas'], c=df['Discount'], cmap='viridis', alpha=0.6)
plt.colorbar(label='Porcentaje de Descuento')
plt.xlabel('Precio')
plt.ylabel('Vendidas')
plt.title('Relación entre Vendidas, Precio y Descuento')
plt.tight_layout(pad=3)
plt.savefig('relacion_vendidas_precio_descuento.png')
def plot_least_discount_offers(df):
# Offers with least discount
worse_discount_offers = df.sort_values(by='Discount', ascending=True).head(10)
plt.figure(figsize=(14, 10))
plt.barh(worse_discount_offers['Main Offer'], worse_discount_offers['Discount'], color='salmon')
plt.xlabel('Porcentaje de Descuento')
plt.title('Top 10 Ofertas con Menor Descuento')
plt.tight_layout(pad=3)
plt.savefig('top_10_ofertas_menor_descuento.png')
def plot_most_expensive_offers(df):
# Aggregate by Main Offer to ensure uniqueness and sum the prices if there are multiple entries
most_expensive_offers = df.groupby('Main Offer').agg({'Price': 'sum'}).sort_values(by='Price',
ascending=False).head(
10).reset_index()
plt.figure(figsize=(14, 10))
bars = plt.barh(most_expensive_offers['Main Offer'], most_expensive_offers['Price'],
color='orange')
plt.xlabel('Precio')
plt.title('Top 10 Ofertas Más Caras')
plt.xticks(rotation=45)
plt.tight_layout(pad=5)
# Format price labels with additional margin to the left
for bar in bars:
plt.annotate(f"₡{int(bar.get_width()):,}",
xy=(bar.get_width(), bar.get_y() + bar.get_height() / 2),
xytext=(10, 0), textcoords="offset points",
ha='left', va='center')
plt.subplots_adjust(left=0.35) # Adjust left margin
plt.savefig('top_10_ofertas_mas_caras.png')
def plot_least_expensive_offers(df):
# Aggregate by Main Offer to ensure uniqueness and sum the prices if there are multiple entries
least_expensive_offers = df.groupby('Main Offer').agg({'Price': 'sum'}).sort_values(by='Price',
ascending=True).head(
10).reset_index()
plt.figure(figsize=(14, 10))
bars = plt.barh(least_expensive_offers['Main Offer'], least_expensive_offers['Price'],
color='lightgreen')
plt.xlabel('Precio')
plt.title('Top 10 Ofertas Más Baratas')
plt.xticks(rotation=45)
plt.tight_layout(pad=5)
# Format price labels with additional margin to the left
for bar in bars:
plt.annotate(f"₡{int(bar.get_width()):,}",
xy=(bar.get_width(), bar.get_y() + bar.get_height() / 2),
xytext=(10, 0), textcoords="offset points",
ha='left', va='center')
plt.subplots_adjust(left=0.35) # Adjust left margin
plt.savefig('top_10_ofertas_mas_baratas.png')