File size: 12,145 Bytes
2eee82e |
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 |
import os
import logging
import numpy as np
import tensorflow as tf
import pyarrow.parquet as pq
import pandas as pd
from sklearn.preprocessing import MinMaxScaler
from tensorflow import keras
from typing import Tuple
from datetime import datetime, timezone, timedelta
import sys
sys.path.append(os.path.abspath(os.path.join(os.path.dirname(__file__), "..", "..")))
from components.model.data_utils import create_data_loader
# Configure logging with +07:00 timezone
logging.basicConfig(
level=logging.INFO,
format='%(asctime)s %(levelname)s: %(message)s',
datefmt='%Y-%m-%d %H:%M:%S %Z'
)
logger = logging.getLogger(__name__)
def create_sequences(data: np.ndarray, seq_length: int) -> Tuple[np.ndarray, np.ndarray]:
"""Create sequences of data for LSTM model training and prediction.
Args:
data (np.ndarray): Input time series data (scaled), shape (n_samples, n_features).
seq_length (int): Length of each sequence.
Returns:
Tuple[np.ndarray, np.ndarray]: (X, y) where X is input sequences (n_samples, seq_length, n_features)
and y is target values (n_samples, n_features).
Raises:
ValueError: If data is empty, seq_length is invalid, or data has insufficient length.
"""
if not isinstance(data, np.ndarray):
logger.error("Input data must be a numpy array")
raise ValueError("Input data must be a numpy array")
if data.size == 0:
logger.error("Input data is empty")
raise ValueError("Input data is empty")
if not isinstance(seq_length, int) or seq_length <= 0:
logger.error(f"Invalid seq_length: {seq_length}")
raise ValueError("seq_length must be a positive integer")
if len(data) <= seq_length:
logger.error(f"Data length {len(data)} is insufficient for seq_length {seq_length}")
raise ValueError(f"Data length {len(data)} is insufficient for seq_length {seq_length}")
X, y = [], []
for i in range(len(data) - seq_length):
sequence = data[i:i + seq_length]
target = data[i + seq_length]
X.append(sequence)
y.append(target)
X = np.array(X)
y = np.array(y)
if len(X.shape) == 2:
X = X.reshape(X.shape[0], X.shape[1], 1)
logger.info(f"Created {X.shape[0]} sequences: X shape {X.shape}, y shape {y.shape}")
return X, y
def build_model_from_config(seq_length: int, cfg: dict) -> keras.Model:
"""Build an LSTM-based model based on configuration.
Args:
seq_length (int): Length of input sequences.
cfg (dict): Model configuration dictionary with 'model' key containing architecture, units, etc.
Returns:
keras.Model: Compiled Keras model.
Raises:
ValueError: If configuration is invalid or architecture is unsupported.
"""
if not isinstance(cfg, dict) or 'model' not in cfg:
logger.error("Invalid configuration: 'model' key missing")
raise ValueError("Configuration must be a dictionary with a 'model' key")
model_cfg = cfg['model']
arch = model_cfg.get('architecture')
units = model_cfg.get('units')
layers = model_cfg.get('layers', 1)
dropout = model_cfg.get('dropout', 0.2)
activation = model_cfg.get('activation', 'tanh')
learning_rate = model_cfg.get('learning_rate', 0.001)
if not isinstance(units, int) or units <= 0:
logger.error(f"Invalid units: {units}")
raise ValueError("units must be a positive integer")
if not isinstance(layers, int) or layers <= 0:
logger.error(f"Invalid layers: {layers}")
raise ValueError("layers must be a positive integer")
if not isinstance(dropout, float) or not 0 <= dropout < 1:
logger.error(f"Invalid dropout: {dropout}")
raise ValueError("dropout must be a float between 0 and 1")
if arch not in ['lstm', 'bilstm', 'gru', 'custom']:
logger.error(f"Unsupported architecture: {arch}")
raise ValueError(f"Unsupported architecture: {arch}")
if not isinstance(seq_length, int) or seq_length <= 0:
logger.error(f"Invalid seq_length: {seq_length}")
raise ValueError("seq_length must be a positive integer")
if not isinstance(learning_rate, (int, float)) or learning_rate <= 0:
logger.error(f"Invalid learning_rate: {learning_rate}")
raise ValueError("learning_rate must be a positive number")
inputs = keras.layers.Input(shape=(seq_length, 1))
x = inputs
if arch == 'lstm':
# Improved LSTM Layer 1 (100 units, return_sequences=True)
x = keras.layers.LSTM(
units, return_sequences=True, activation=activation,
dropout=dropout, recurrent_dropout=0.1, kernel_regularizer=tf.keras.regularizers.l2(0.01)
)(x)
# Attention mechanism
attention = keras.layers.Attention()([x, x])
x = keras.layers.Add()([x, attention]) # Residual connection
# Improved LSTM Layer 2 (50 units, return_sequences=True)
x = keras.layers.LSTM(
units // 2, return_sequences=True, activation=activation,
dropout=dropout, recurrent_dropout=0.1, kernel_regularizer=tf.keras.regularizers.l2(0.01)
)(x)
# Improved LSTM Layer 3 (25 units, return_sequences=False)
x = keras.layers.LSTM(
units // 4, return_sequences=False, activation=activation,
dropout=dropout, recurrent_dropout=0.1
)(x)
# Dense layers
x = keras.layers.Dense(50, activation='relu', kernel_regularizer=tf.keras.regularizers.l2(0.01))(x)
x = keras.layers.Dropout(dropout)(x)
x = keras.layers.Dense(25, activation='relu')(x)
x = keras.layers.Dropout(dropout)(x)
# Output layer
x = keras.layers.Dense(1)(x)
elif arch == 'gru':
# Improved GRU Layer 1 (100 units, return_sequences=True)
x = keras.layers.GRU(
units, return_sequences=True, activation=activation,
dropout=dropout, recurrent_dropout=0.1, kernel_regularizer=tf.keras.regularizers.l2(0.01)
)(x)
# Attention mechanism
attention = keras.layers.Attention()([x, x])
x = keras.layers.Add()([x, attention]) # Residual connection
# Improved GRU Layer 2 (50 units, return_sequences=True)
x = keras.layers.GRU(
units // 2, return_sequences=True, activation=activation,
dropout=dropout, recurrent_dropout=0.1, kernel_regularizer=tf.keras.regularizers.l2(0.01)
)(x)
# Improved GRU Layer 3 (25 units, return_sequences=False)
x = keras.layers.GRU(
units // 4, return_sequences=False, activation=activation,
dropout=dropout, recurrent_dropout=0.1
)(x)
# Dense layers
x = keras.layers.Dense(50, activation='relu', kernel_regularizer=tf.keras.regularizers.l2(0.01))(x)
x = keras.layers.Dropout(dropout)(x)
x = keras.layers.Dense(25, activation='relu')(x)
x = keras.layers.Dropout(dropout)(x)
# Output layer
x = keras.layers.Dense(1)(x)
elif arch == 'bilstm':
# Improved BiLSTM Layer 1 (100 units, return_sequences=True)
x = keras.layers.Bidirectional(
keras.layers.LSTM(
units, return_sequences=True, activation=activation,
dropout=dropout, recurrent_dropout=0.1, kernel_regularizer=tf.keras.regularizers.l2(0.01)
)
)(x)
# Attention mechanism
attention = keras.layers.Attention()([x, x])
x = keras.layers.Add()([x, attention]) # Residual connection
# Improved BiLSTM Layer 2 (50 units, return_sequences=True)
x = keras.layers.Bidirectional(
keras.layers.LSTM(
units // 2, return_sequences=True, activation=activation,
dropout=dropout, recurrent_dropout=0.1, kernel_regularizer=tf.keras.regularizers.l2(0.01)
)
)(x)
# Improved BiLSTM Layer 3 (25 units, return_sequences=False)
x = keras.layers.Bidirectional(
keras.layers.LSTM(
units // 4, return_sequences=False, activation=activation,
dropout=dropout, recurrent_dropout=0.1
)
)(x)
# Dense layers
x = keras.layers.Dense(50, activation='relu', kernel_regularizer=tf.keras.regularizers.l2(0.01))(x)
x = keras.layers.Dropout(dropout)(x)
x = keras.layers.Dense(25, activation='relu')(x)
x = keras.layers.Dropout(dropout)(x)
# Output layer
x = keras.layers.Dense(1)(x)
elif arch == 'custom':
# Improved Custom Layer 1 (LSTM, 100 units, return_sequences=True)
x = keras.layers.LSTM(
units, return_sequences=True, activation=activation,
dropout=dropout, recurrent_dropout=0.1, kernel_regularizer=tf.keras.regularizers.l2(0.01)
)(x)
# Attention mechanism
attention = keras.layers.Attention()([x, x])
x = keras.layers.Add()([x, attention]) # Residual connection
# Improved Custom Layer 2 (LSTM, 50 units, return_sequences=True)
x = keras.layers.LSTM(
units // 2, return_sequences=True, activation=activation,
dropout=dropout, recurrent_dropout=0.1, kernel_regularizer=tf.keras.regularizers.l2(0.01)
)(x)
# Improved Custom Layer 3 (LSTM, 25 units, return_sequences=False)
x = keras.layers.LSTM(
units // 4, return_sequences=False, activation=activation,
dropout=dropout, recurrent_dropout=0.1
)(x)
# Dense layers
x = keras.layers.Dense(50, activation='relu', kernel_regularizer=tf.keras.regularizers.l2(0.01))(x)
x = keras.layers.Dropout(dropout)(x)
x = keras.layers.Dense(25, activation='relu')(x)
x = keras.layers.Dropout(dropout)(x)
# Output layer
x = keras.layers.Dense(1)(x)
model = keras.Model(inputs, x)
optimizer_name = model_cfg.get('optimizer', 'adam').lower()
if optimizer_name == 'adam':
optimizer = tf.keras.optimizers.Adam(learning_rate=learning_rate)
else:
logger.warning(f"Optimizer {optimizer_name} not explicitly handled, using default parameters")
optimizer = optimizer_name
model.compile(
optimizer=optimizer,
loss=model_cfg.get('loss', 'mse'),
metrics=['mae']
)
logger.info(f"Built model: architecture={arch}, units={units}, layers={layers}, learning_rate={learning_rate}")
return model
if __name__ == "__main__":
import pandas as pd
from components.utils.file_utils import load_config
logger.info("Running standalone tests for model_utils.py")
# Test create_sequences
data = np.array([[10000], [10050], [10100], [10150], [10200]])
seq_length = 3
X, y = create_sequences(data, seq_length)
print(f"create_sequences: X shape {X.shape}, y shape {y.shape}")
print(f"Sample sequence: {X[0]}, target: {y[0]}")
# Test create_data_loader
scaler = MinMaxScaler()
scaler.fit(data)
parquet_paths = ['temp/extracted_from_minio/btcusdt_1h.parquet']
if not os.path.exists(parquet_paths[0]):
os.makedirs(os.path.dirname(parquet_paths[0]), exist_ok=True)
pd.DataFrame({'Close': [10000, 10050, 10100, 10150, 10200]}).to_parquet(parquet_paths[0])
dataset = create_data_loader(parquet_paths, scaler, seq_length=3, batch_size=2)
for x, y in dataset.take(1):
print(f"create_data_loader: x shape {x.shape}, y shape {y.shape}")
# Test build_model_from_config for all architectures
config = load_config('configs/model_config.yml')
for arch in ['lstm', 'gru', 'bilstm', 'custom']:
config['model']['architecture'] = arch
model = build_model_from_config(seq_length=3, cfg=config)
print(f"\nModel summary for {arch}:")
model.summary()
logger.info("Standalone tests completed successfully.") |