Spaces:
Running
Running
File size: 7,359 Bytes
1237c34 |
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 |
#!/usr/bin/env python
# coding: utf-8
# # <span style="font-width:bold; font-size: 3rem; color:#1EB182;"> **Air Quality** </span><span style="font-width:bold; font-size: 3rem; color:#333;">- Part 04: Batch Inference</span>
#
# ## ποΈ This notebook is divided into the following sections:
#
# 1. Download model and batch inference data
# 2. Make predictions, generate PNG for forecast
# 3. Store predictions in a monitoring feature group adn generate PNG for hindcast
# ## <span style='color:#ff5f27'> π Imports
# In[1]:
import datetime
import pandas as pd
from xgboost import XGBRegressor
import hopsworks
import json
from functions import util
import os
# In[2]:
today = datetime.datetime.now() - datetime.timedelta(0)
tomorrow = today + datetime.timedelta(days = 1)
today
# ## <span style="color:#ff5f27;"> π‘ Connect to Hopsworks Feature Store </span>
# In[3]:
# os.environ["HOPSWORKS_API_KEY"] = ""
project = hopsworks.login()
fs = project.get_feature_store()
secrets = util.secrets_api(project.name)
location_str = secrets.get_secret("SENSOR_LOCATION_JSON").value
location = json.loads(location_str)
country=location['country']
city=location['city']
street=location['street']
# ## <span style="color:#ff5f27;"> βοΈ Feature View Retrieval</span>
#
# In[4]:
feature_view = fs.get_feature_view(
name='air_quality_fv',
version=1,
)
# ## <span style="color:#ff5f27;">πͺ Download the model from Model Registry</span>
# In[5]:
mr = project.get_model_registry()
retrieved_model = mr.get_model(
name="air_quality_xgboost_model",
version=1,
)
# Download the saved model artifacts to a local directory
saved_model_dir = retrieved_model.download()
# In[6]:
# Loading the XGBoost regressor model and label encoder from the saved model directory
# retrieved_xgboost_model = joblib.load(saved_model_dir + "/xgboost_regressor.pkl")
retrieved_xgboost_model = XGBRegressor()
retrieved_xgboost_model.load_model(saved_model_dir + "/model.json")
# Displaying the retrieved XGBoost regressor model
retrieved_xgboost_model
# In[7]:
# Access the feature names of the trained XGBoost model
feature_names = retrieved_xgboost_model.get_booster().feature_names
# Print the feature names
print("Feature names:", feature_names)
# ## <span style="color:#ff5f27;">β¨ Get Weather Forecast Features with Feature View </span>
#
#
# In[8]:
weather_fg = fs.get_feature_group(
name='weather',
version=1,
)
today_timestamp = pd.to_datetime(today)
batch_data = weather_fg.filter(weather_fg.date >= today_timestamp ).read()
batch_data
# ### Get Mean air quality for past days
# In[9]:
air_quality_fg = fs.get_feature_group(
name='air_quality',
version=1,
)
selected_features = air_quality_fg.select_all() #(['pm25']).join(weather_fg.select_all(), on=['city'])
selected_features = selected_features.read()
# In[10]:
selected_features = selected_features.sort_values(by='date').reset_index(drop=True)
# In[11]:
past_air_q_list = selected_features[['date', 'pm25']][-3:]['pm25'].tolist()
# In[12]:
batch_data = batch_data.sort_values(by='date').reset_index(drop=True)
# In[13]:
batch_data['past_air_quality'] = None
# In[14]:
batch_data
# ### <span style="color:#ff5f27;">π€ Making the predictions</span>
# In[15]:
# Initialize an empty list to store predictions
predictions = []
# Iterate through each row of the DataFrame
for index, row in batch_data.iterrows():
past_air_quality_mean = sum(past_air_q_list)/3
# Extract the feature values for prediction as a 1D array
features = row[['past_air_quality', 'temperature_2m_mean', 'precipitation_sum',
'wind_speed_10m_max', 'wind_direction_10m_dominant']].values
# Reshape features to a 2D array (required by XGBoost's predict method)
features = features.reshape(1, -1)
# Make a prediction for the row
prediction = retrieved_xgboost_model.predict(features)
# Append the prediction to the list
predictions.append(prediction[0])
past_air_q_list.append(prediction[0])
past_air_q_list = past_air_q_list[1:]
# print(past_air_q_list)
batch_data.loc[index,'past_air_quality'] = past_air_quality_mean
# Add the predictions as a new column in the DataFrame
batch_data['predicted_pm25'] = predictions
# Display the updated DataFrame
batch_data
# In[16]:
# batch_data['predicted_pm25'] = retrieved_xgboost_model.predict(
# batch_data[['temperature_2m_mean', 'precipitation_sum', 'wind_speed_10m_max', 'wind_direction_10m_dominant']])
# batch_data
# In[17]:
batch_data.info()
# ### <span style="color:#ff5f27;">π€ Saving the predictions (for monitoring) to a Feature Group</span>
# In[18]:
batch_data['street'] = street
batch_data['city'] = city
batch_data['country'] = country
# Fill in the number of days before the date on which you made the forecast (base_date)
batch_data['days_before_forecast_day'] = range(1, len(batch_data)+1)
batch_data = batch_data.sort_values(by=['date'])
batch_data['date'] = batch_data['date'].dt.tz_convert(None).astype('datetime64[ns]')
batch_data
# In[19]:
batch_data.info()
# ### Create Forecast Graph
# Draw a graph of the predictions with dates as a PNG and save it to the github repo
# Show it on github pages
# In[20]:
file_path = "img/pm25_forecast.png"
plt = util.plot_air_quality_forecast(city, street, batch_data, file_path)
plt.show()
# In[21]:
# Get or create feature group
monitor_fg = fs.get_or_create_feature_group(
name='aq_predictions',
description='Air Quality prediction monitoring',
version=1,
primary_key=['city','street','date','days_before_forecast_day'],
event_time="date"
)
# In[22]:
monitor_fg.insert(batch_data, write_options={"wait_for_job": True})
# In[23]:
# We will create a hindcast chart for only the forecasts made 1 day beforehand
monitoring_df = monitor_fg.filter(monitor_fg.days_before_forecast_day == 1).read()
monitoring_df
# In[24]:
air_quality_fg = fs.get_feature_group(
name='air_quality',
version=1,
)
air_quality_df = air_quality_fg.read()
air_quality_df
# In[25]:
air_quality_df['date']
# In[26]:
monitoring_df['date']
# In[27]:
air_quality_df['date'] = pd.to_datetime(air_quality_df['date'])
monitoring_df['date'] = monitoring_df['date'].dt.tz_convert(None).astype('datetime64[ns]')
# In[28]:
weather_fg.read()
# In[29]:
air_quality_df
# In[30]:
monitor_fg.read()
# In[31]:
outcome_df = air_quality_df[['date', 'pm25']]
preds_df = monitoring_df[['date', 'predicted_pm25']]
hindcast_df = pd.merge(preds_df, outcome_df, on="date")
hindcast_df = hindcast_df.sort_values(by=['date'])
# If there are no outcomes for predictions yet, generate some predictions/outcomes from existing data
if len(hindcast_df) == 0:
hindcast_df = util.backfill_predictions_for_monitoring(weather_fg, air_quality_df, monitor_fg, retrieved_xgboost_model)
hindcast_df
# ### Plot the Hindcast comparing predicted with forecasted values (1-day prior forecast)
#
# __This graph will be empty to begin with - this is normal.__
#
# After a few days of predictions and observations, you will get data points in this graph.
# In[32]:
file_path = "img/pm25_hindcast_1day.png"
plt = util.plot_air_quality_forecast(city, street, hindcast_df, file_path, hindcast=True)
plt.show()
# %%
|