ckoozzzu commited on
Commit
5b2d61a
·
verified ·
1 Parent(s): 3a8dcb4

Upload folder using huggingface_hub

Browse files
Files changed (1) hide show
  1. MLBaseModelDriver.py +68 -30
MLBaseModelDriver.py CHANGED
@@ -8,25 +8,12 @@ import importlib.util
8
  from huggingface_hub import hf_hub_download
9
  import pickle
10
 
11
- # --------- Класс DataPreprocessor ---------
12
- class DataPreprocessor:
13
- def __init__(self, label_encoders, scaler):
14
- self.label_encoders = label_encoders
15
- self.scaler = scaler
16
 
17
- def preprocess(self, df: pd.DataFrame) -> torch.Tensor:
18
- default_beds = 3
19
- default_sqft = 1500.0
20
- default_property_type = '6'
21
- df['beds'] = df['beds'].fillna(default_beds)
22
- df['sqft'] = pd.to_numeric(df['sqft'], errors='coerce').fillna(default_sqft)
23
- df['property_type'] = df['property_type'].fillna(default_property_type)
24
- df['property_type'] = df['property_type'].astype(int)
25
- df[['sqft', 'price']] = self.scaler.transform(df[['sqft', 'price']])
26
- X = df[['beds', 'sqft', 'property_type', 'price']]
27
- return torch.tensor(X.values, dtype=torch.float32)
28
 
29
- # --------- Класс ProcessedSynapse ---------
30
  class ProcessedSynapse(TypedDict):
31
  id: Optional[str]
32
  nextplace_id: Optional[str]
@@ -50,27 +37,35 @@ class ProcessedSynapse(TypedDict):
50
  hoa_dues: Optional[float]
51
  query_date: Optional[str]
52
 
53
- # --------- Класс MLBaseModelDriver ---------
 
 
 
 
 
 
 
 
54
  class MLBaseModelDriver:
55
 
56
- def __init__(self, model_path: str):
57
- self.model_path = model_path # сохраняем путь модели
58
- self.model, self.label_encoders, self.scaler = self.load_model()
59
- self.preprocessor = DataPreprocessor(self.label_encoders, self.scaler)
60
 
61
  def load_model(self) -> Tuple[any, any, any]:
 
 
 
 
62
  print(f"Loading model...")
63
  model_file, scaler_file, label_encoders_file, model_class_file = self._download_model_files()
64
  model_class = self._import_model_class(model_class_file)
65
 
66
  model = model_class(input_dim=4)
67
- # Здесь загружаем сохранённые веса модели
68
- checkpoint = torch.load(self.model_path, map_location=torch.device("cpu"))
69
- model.load_state_dict(checkpoint['model_state_dict'])
70
- self.preprocessor = checkpoint.get('preprocessor', None)
71
- self.input_dim = checkpoint.get('input_dim', None)
72
  model.eval()
73
 
 
74
  with open(scaler_file, 'rb') as f:
75
  scaler = pickle.load(f)
76
 
@@ -81,14 +76,28 @@ class MLBaseModelDriver:
81
  return model, label_encoders, scaler
82
 
83
  def _download_model_files(self) -> Tuple[str, str, str, str]:
84
- model_path = "ckoozzzu/NextPlace"
 
 
 
 
 
 
85
  model_file = hf_hub_download(repo_id=model_path, filename="model_files/real_estate_model.pth")
86
  scaler_file = hf_hub_download(repo_id=model_path, filename="model_files/scaler.pkl")
87
  label_encoders_file = hf_hub_download(repo_id=model_path, filename="model_files/label_encoder.pkl")
88
  model_class_file = hf_hub_download(repo_id=model_path, filename="MLBaseModel.py")
 
 
89
  return model_file, scaler_file, label_encoders_file, model_class_file
90
 
91
  def _import_model_class(self, model_class_file):
 
 
 
 
 
 
92
  module_name = "MLBaseModel"
93
  spec = importlib.util.spec_from_file_location(module_name, model_class_file)
94
  model_module = importlib.util.module_from_spec(spec)
@@ -101,8 +110,12 @@ class MLBaseModelDriver:
101
  raise AttributeError(f"The module does not contain a class named 'MLBaseModel'")
102
 
103
  def run_inference(self, input_data: ProcessedSynapse) -> Tuple[float, str]:
104
- df = pd.DataFrame([input_data])
105
- input_tensor = self.preprocessor.preprocess(df)
 
 
 
 
106
 
107
  with torch.no_grad():
108
  prediction = self.model(input_tensor)
@@ -113,9 +126,34 @@ class MLBaseModelDriver:
113
  return float(predicted_sale_price), predicted_sale_date.strftime("%Y-%m-%d")
114
 
115
  def _sale_date_predictor(self, days_on_market: int, predicted_days_on_market: int) -> datetime.date:
 
 
 
 
 
 
116
  if days_on_market < predicted_days_on_market:
117
  days_until_sale = predicted_days_on_market - days_on_market
118
  sale_date = datetime.date.today() + datetime.timedelta(days=days_until_sale)
119
  return sale_date
120
  else:
121
  return datetime.date.today() + datetime.timedelta(days=1)
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
8
  from huggingface_hub import hf_hub_download
9
  import pickle
10
 
 
 
 
 
 
11
 
12
+ """
13
+ Data container class representing the data shape of the synapse coming into `run_inference`
14
+ """
15
+
 
 
 
 
 
 
 
16
 
 
17
  class ProcessedSynapse(TypedDict):
18
  id: Optional[str]
19
  nextplace_id: Optional[str]
 
37
  hoa_dues: Optional[float]
38
  query_date: Optional[str]
39
 
40
+
41
+ """
42
+ This class must do two things
43
+ 1) The constructor must load the model
44
+ 2) This class must implement a method called `run_inference` that takes the input data and returns a tuple
45
+ of float, str representing the predicted sale price and the predicted sale date.
46
+ """
47
+
48
+
49
  class MLBaseModelDriver:
50
 
51
+ def __init__(self):
52
+ self.model, self.label_encoder, self.scaler = self.load_model()
 
 
53
 
54
  def load_model(self) -> Tuple[any, any, any]:
55
+ """
56
+ load the model and model parameters
57
+ :return: model, label encoder, and scaler
58
+ """
59
  print(f"Loading model...")
60
  model_file, scaler_file, label_encoders_file, model_class_file = self._download_model_files()
61
  model_class = self._import_model_class(model_class_file)
62
 
63
  model = model_class(input_dim=4)
64
+ state_dict = torch.load(model_file, weights_only=False)
65
+ model.load_state_dict(state_dict)
 
 
 
66
  model.eval()
67
 
68
+ # Load additional artifacts
69
  with open(scaler_file, 'rb') as f:
70
  scaler = pickle.load(f)
71
 
 
76
  return model, label_encoders, scaler
77
 
78
  def _download_model_files(self) -> Tuple[str, str, str, str]:
79
+ """
80
+ download files from hugging face
81
+ :return: downloaded files
82
+ """
83
+ model_path = "Nickel5HF/NextPlace"
84
+
85
+ # Download the model files from the Hugging Face Hub
86
  model_file = hf_hub_download(repo_id=model_path, filename="model_files/real_estate_model.pth")
87
  scaler_file = hf_hub_download(repo_id=model_path, filename="model_files/scaler.pkl")
88
  label_encoders_file = hf_hub_download(repo_id=model_path, filename="model_files/label_encoder.pkl")
89
  model_class_file = hf_hub_download(repo_id=model_path, filename="MLBaseModel.py")
90
+
91
+ # Load the model and artifacts
92
  return model_file, scaler_file, label_encoders_file, model_class_file
93
 
94
  def _import_model_class(self, model_class_file):
95
+ """
96
+ import the model class and instantiate it
97
+ :param model_class_file: file path to the model class
98
+ :return: None
99
+ """
100
+ # Reference docs here: https://docs.python.org/3/library/importlib.html#importlib.util.spec_from_loader
101
  module_name = "MLBaseModel"
102
  spec = importlib.util.spec_from_file_location(module_name, model_class_file)
103
  model_module = importlib.util.module_from_spec(spec)
 
110
  raise AttributeError(f"The module does not contain a class named 'MLBaseModel'")
111
 
112
  def run_inference(self, input_data: ProcessedSynapse) -> Tuple[float, str]:
113
+ """
114
+ run inference using the MLBaseModel
115
+ :param input_data: synapse from the validator
116
+ :return: the predicted sale price and date
117
+ """
118
+ input_tensor = self._preprocess_input(input_data)
119
 
120
  with torch.no_grad():
121
  prediction = self.model(input_tensor)
 
126
  return float(predicted_sale_price), predicted_sale_date.strftime("%Y-%m-%d")
127
 
128
  def _sale_date_predictor(self, days_on_market: int, predicted_days_on_market: int) -> datetime.date:
129
+ """
130
+ convert predicted days on market to a sale date
131
+ :param days_on_market: number of days this home has been on the market
132
+ :param predicted_days_on_market: the predicted number of days for this home on the market
133
+ :return: the predicted sale date
134
+ """
135
  if days_on_market < predicted_days_on_market:
136
  days_until_sale = predicted_days_on_market - days_on_market
137
  sale_date = datetime.date.today() + datetime.timedelta(days=days_until_sale)
138
  return sale_date
139
  else:
140
  return datetime.date.today() + datetime.timedelta(days=1)
141
+
142
+ def _preprocess_input(self, data: ProcessedSynapse) -> torch.tensor:
143
+ """
144
+ preprocess the input for inference
145
+ :param data: synapse from the validator
146
+ :return: tensor representing the synapse
147
+ """
148
+ df = pd.DataFrame([data])
149
+ default_beds = 3
150
+ default_sqft = 1500.0
151
+ default_property_type = '6'
152
+ df['beds'] = df['beds'].fillna(default_beds)
153
+ df['sqft'] = pd.to_numeric(df['sqft'], errors='coerce').fillna(default_sqft)
154
+ df['property_type'] = df['property_type'].fillna(default_property_type)
155
+ df['property_type'] = df['property_type'].astype(int)
156
+ df[['sqft', 'price']] = self.scaler.transform(df[['sqft', 'price']])
157
+ X = df[['beds', 'sqft', 'property_type', 'price']]
158
+ input_tensor = torch.tensor(X.values, dtype=torch.float32)
159
+ return input_tensor