Delete functions.py
Browse files- functions.py +0 -182
functions.py
DELETED
|
@@ -1,182 +0,0 @@
|
|
| 1 |
-
import requests
|
| 2 |
-
import os
|
| 3 |
-
import joblib
|
| 4 |
-
import pandas as pd
|
| 5 |
-
import datetime
|
| 6 |
-
import numpy as np
|
| 7 |
-
import time
|
| 8 |
-
from sklearn.preprocessing import OrdinalEncoder
|
| 9 |
-
from dotenv import load_dotenv
|
| 10 |
-
load_dotenv(override=True)
|
| 11 |
-
|
| 12 |
-
|
| 13 |
-
def decode_features(df, feature_view):
|
| 14 |
-
"""Decodes features in the input DataFrame using corresponding Hopsworks Feature Store transformation functions"""
|
| 15 |
-
df_res = df.copy()
|
| 16 |
-
|
| 17 |
-
import inspect
|
| 18 |
-
|
| 19 |
-
|
| 20 |
-
td_transformation_functions = feature_view._batch_scoring_server._transformation_functions
|
| 21 |
-
|
| 22 |
-
res = {}
|
| 23 |
-
for feature_name in td_transformation_functions:
|
| 24 |
-
if feature_name in df_res.columns:
|
| 25 |
-
td_transformation_function = td_transformation_functions[feature_name]
|
| 26 |
-
sig, foobar_locals = inspect.signature(td_transformation_function.transformation_fn), locals()
|
| 27 |
-
param_dict = dict([(param.name, param.default) for param in sig.parameters.values() if param.default != inspect._empty])
|
| 28 |
-
if td_transformation_function.name == "min_max_scaler":
|
| 29 |
-
df_res[feature_name] = df_res[feature_name].map(
|
| 30 |
-
lambda x: x * (param_dict["max_value"] - param_dict["min_value"]) + param_dict["min_value"])
|
| 31 |
-
|
| 32 |
-
elif td_transformation_function.name == "standard_scaler":
|
| 33 |
-
df_res[feature_name] = df_res[feature_name].map(
|
| 34 |
-
lambda x: x * param_dict['std_dev'] + param_dict["mean"])
|
| 35 |
-
elif td_transformation_function.name == "label_encoder":
|
| 36 |
-
dictionary = param_dict['value_to_index']
|
| 37 |
-
dictionary_ = {v: k for k, v in dictionary.items()}
|
| 38 |
-
df_res[feature_name] = df_res[feature_name].map(
|
| 39 |
-
lambda x: dictionary_[x])
|
| 40 |
-
return df_res
|
| 41 |
-
|
| 42 |
-
|
| 43 |
-
def get_model(project, model_name, evaluation_metric, sort_metrics_by):
|
| 44 |
-
"""Retrieve desired model or download it from the Hopsworks Model Registry.
|
| 45 |
-
In second case, it will be physically downloaded to this directory"""
|
| 46 |
-
TARGET_FILE = "model.pkl"
|
| 47 |
-
list_of_files = [os.path.join(dirpath,filename) for dirpath, _, filenames \
|
| 48 |
-
in os.walk('.') for filename in filenames if filename == TARGET_FILE]
|
| 49 |
-
|
| 50 |
-
if list_of_files:
|
| 51 |
-
model_path = list_of_files[0]
|
| 52 |
-
model = joblib.load(model_path)
|
| 53 |
-
else:
|
| 54 |
-
if not os.path.exists(TARGET_FILE):
|
| 55 |
-
mr = project.get_model_registry()
|
| 56 |
-
# get best model based on custom metrics
|
| 57 |
-
model = mr.get_best_model(model_name,
|
| 58 |
-
evaluation_metric,
|
| 59 |
-
sort_metrics_by)
|
| 60 |
-
model_dir = model.download()
|
| 61 |
-
model = joblib.load(model_dir + "/model.pkl")
|
| 62 |
-
|
| 63 |
-
return model
|
| 64 |
-
|
| 65 |
-
|
| 66 |
-
def get_air_quality_data(station_name):
|
| 67 |
-
AIR_QUALITY_API_KEY = os.getenv('AIR_QUALITY_API_KEY')
|
| 68 |
-
request_value = f'https://api.waqi.info/feed/{station_name}/?token={AIR_QUALITY_API_KEY}'
|
| 69 |
-
answer = requests.get(request_value).json()["data"]
|
| 70 |
-
forecast = answer['forecast']['daily']
|
| 71 |
-
return [
|
| 72 |
-
answer["time"]["s"][:10], # Date
|
| 73 |
-
int(forecast['pm25'][0]['avg']), # avg predicted pm25
|
| 74 |
-
int(forecast['pm10'][0]['avg']), # avg predicted pm10
|
| 75 |
-
max(int(forecast['pm25'][0]['avg']), int(forecast['pm10'][0]['avg'])) # avg predicted aqi
|
| 76 |
-
]
|
| 77 |
-
|
| 78 |
-
def get_air_quality_df(data):
|
| 79 |
-
col_names = [
|
| 80 |
-
'date',
|
| 81 |
-
'pm25',
|
| 82 |
-
'pm10',
|
| 83 |
-
'aqi'
|
| 84 |
-
]
|
| 85 |
-
|
| 86 |
-
new_data = pd.DataFrame(
|
| 87 |
-
data
|
| 88 |
-
).T
|
| 89 |
-
new_data.columns = col_names
|
| 90 |
-
new_data['pm25'] = pd.to_numeric(new_data['pm25'])
|
| 91 |
-
new_data['pm10'] = pd.to_numeric(new_data['pm10'])
|
| 92 |
-
new_data['aqi'] = pd.to_numeric(new_data['aqi'])
|
| 93 |
-
|
| 94 |
-
print(new_data)
|
| 95 |
-
return new_data
|
| 96 |
-
|
| 97 |
-
|
| 98 |
-
def get_weather_data_weekly(city: str, start_date: datetime) -> pd.DataFrame:
|
| 99 |
-
#WEATHER_API_KEY = os.getenv('WEATHER_API_KEY')
|
| 100 |
-
##end_date = f"{start_date + datetime.timedelta(days=6):%Y-%m-%d}"
|
| 101 |
-
next7days_weather=pd.read_csv('https://weather.visualcrossing.com/VisualCrossingWebServices/rest/services/timeline/Beijing/next7days?unitGroup=metric&include=days&key=5WNL2M94KKQ4R4F32LFV8DPE4&contentType=csv')
|
| 102 |
-
#answer = requests.get(f'https://weather.visualcrossing.com/VisualCrossingWebServices/rest/services/timeline/{city}/{start_date}/{end_date}?unitGroup=metric&include=days&key={WEATHER_API_KEY}&contentType=json').json()
|
| 103 |
-
|
| 104 |
-
|
| 105 |
-
df_weather = pd.DataFrame(next7days_weather)
|
| 106 |
-
df_weather.rename(columns = {"datetime": "date"},
|
| 107 |
-
inplace = True)
|
| 108 |
-
df_weather.rename(columns = {"name": "city"},
|
| 109 |
-
inplace = True)
|
| 110 |
-
df_weather.rename(columns = {"sealevelpressure": "pressure"},
|
| 111 |
-
inplace = True)
|
| 112 |
-
df_weather = df_weather.drop(labels=['city','preciptype','sunrise','sunset','conditions','description','icon','stations'], axis=1) #删除不用的列
|
| 113 |
-
df_weather.date = df_weather.date.apply(timestamp_2_time)
|
| 114 |
-
|
| 115 |
-
return df_weather
|
| 116 |
-
|
| 117 |
-
def get_weather_df(data):
|
| 118 |
-
col_names = [
|
| 119 |
-
'name',
|
| 120 |
-
'date',
|
| 121 |
-
'tempmax',
|
| 122 |
-
'tempmin',
|
| 123 |
-
'temp',
|
| 124 |
-
'feelslikemax',
|
| 125 |
-
'feelslikemin',
|
| 126 |
-
'feelslike',
|
| 127 |
-
'dew',
|
| 128 |
-
'humidity',
|
| 129 |
-
'precip',
|
| 130 |
-
'precipprob',
|
| 131 |
-
'precipcover',
|
| 132 |
-
'snow',
|
| 133 |
-
'snowdepth',
|
| 134 |
-
'windgust',
|
| 135 |
-
'windspeed',
|
| 136 |
-
'winddir',
|
| 137 |
-
'pressure',
|
| 138 |
-
'cloudcover',
|
| 139 |
-
'visibility',
|
| 140 |
-
'solarradiation',
|
| 141 |
-
'solarenergy',
|
| 142 |
-
'uvindex',
|
| 143 |
-
'conditions'
|
| 144 |
-
]
|
| 145 |
-
|
| 146 |
-
new_data = pd.DataFrame(
|
| 147 |
-
data
|
| 148 |
-
).T
|
| 149 |
-
new_data.columns = col_names
|
| 150 |
-
for col in col_names:
|
| 151 |
-
if col not in ['name', 'date', 'conditions']:
|
| 152 |
-
new_data[col] = pd.to_numeric(new_data[col])
|
| 153 |
-
|
| 154 |
-
return new_data
|
| 155 |
-
|
| 156 |
-
def data_encoder(X):
|
| 157 |
-
X.drop(columns=['date', 'name'], inplace=True)
|
| 158 |
-
X['conditions'] = OrdinalEncoder().fit_transform(X[['conditions']])
|
| 159 |
-
return X
|
| 160 |
-
|
| 161 |
-
def transform(df):
|
| 162 |
-
df.loc[df["windgust"].isna(),'windgust'] = df['windspeed']
|
| 163 |
-
df['snow'].fillna(0,inplace=True)
|
| 164 |
-
df['snowdepth'].fillna(0, inplace=True)
|
| 165 |
-
df['pressure'].fillna(df['pressure'].mean(), inplace=True)
|
| 166 |
-
return df
|
| 167 |
-
|
| 168 |
-
|
| 169 |
-
def get_aplevel(temps:np.ndarray) -> list:
|
| 170 |
-
boundary_list = np.array([0, 50, 100, 150, 200, 300]) # assert temps.shape == [x, 1]
|
| 171 |
-
redf = np.logical_not(temps<=boundary_list) # temps.shape[0] x boundary_list.shape[0] ndarray
|
| 172 |
-
hift = np.concatenate((np.roll(redf, -1)[:, :-1], np.full((temps.shape[0], 1), False)), axis = 1)
|
| 173 |
-
cat = np.nonzero(np.not_equal(redf,hift))
|
| 174 |
-
|
| 175 |
-
air_pollution_level = ['Good', 'Moderate', 'Unhealthy for sensitive Groups','Unhealthy' ,'Very Unhealthy', 'Hazardous']
|
| 176 |
-
level = [air_pollution_level[el] for el in cat[1]]
|
| 177 |
-
return level
|
| 178 |
-
|
| 179 |
-
def timestamp_2_time(x):
|
| 180 |
-
dt_obj = datetime.datetime.strptime(str(x), '%Y-%m-%d')
|
| 181 |
-
dt_obj = dt_obj.timestamp() * 1000
|
| 182 |
-
return int(dt_obj)
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|