| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102 |
- # gat_lstm.py
- import torch
- import torch.nn as nn # PyTorch神经网络模块
- # 单个独立模型(对应1个因变量)
- class SingleGATLSTM(nn.Module):
- def __init__(self, args):
- """
- 单个子模型:包含GAT-LSTM层和输出层,用于预测1个目标指标
- 参数:
- args: 配置参数(含特征数、隐藏层大小等)
- """
- super(SingleGATLSTM, self).__init__()
- self.args = args
-
- # 独立的LSTM层
- self.lstm = nn.LSTM(
- input_size=args.feature_num,
- hidden_size=args.hidden_size,
- num_layers=args.num_layers,
- batch_first=True
- )
-
- # 独立的输出层
- self.final_linear = nn.Sequential(
- nn.Linear(args.hidden_size, args.hidden_size),
- nn.LeakyReLU(0.01),
- nn.Dropout(args.dropout * 0.4),
- nn.Linear(args.hidden_size, args.output_size)
- )
-
- self._init_weights()
-
- def _init_weights(self):
- """初始化网络权重,加速模型收敛"""
- for m in self.modules():
- if isinstance(m, nn.Linear):
- nn.init.xavier_uniform_(m.weight)
- if m.bias is not None:
- nn.init.zeros_(m.bias)
- elif isinstance(m, nn.BatchNorm1d):
- nn.init.constant_(m.weight, 1)
- nn.init.constant_(m.bias, 0)
- # 初始化LSTM权重
- for name, param in self.lstm.named_parameters():
- if 'weight_ih' in name:
- nn.init.xavier_uniform_(param.data)
- elif 'weight_hh' in name:
- nn.init.orthogonal_(param.data)
- elif 'bias' in name:
- param.data.fill_(0)
- n = param.size(0)
- start, end = n // 4, n // 2
- param.data[start:end].fill_(1)
-
- def forward(self, x):
- """
- 前向传播:输入序列经过LSTM和输出层,得到预测结果
- 参数:
- x: 输入序列,形状为[batch_size, seq_len, feature_num]
- 返回:
- output: 预测结果,形状为[batch_size, output_size]
- """
- batch_size, seq_len, feature_num = x.size()
- lstm_out, _ = self.lstm(x)
- # 取最后一个时间步的输出
- last_out = lstm_out[:, -1, :]
-
- # 输出层预测
- output = self.final_linear(last_out)
- return output # [batch_size, output_size]
- # 16个独立模型的容器(总模型)
- class GAT_LSTM(nn.Module):
- def __init__(self, args):
- """
- 总模型:包含多个SingleGATLSTM子模型,分别预测不同的目标
- 参数:
- args: 配置参数(含labels_num,即子模型数量)
- """
- super(GAT_LSTM, self).__init__()
- self.args = args
- # 创建16个独立模型(数量由labels_num指定)
- self.models = nn.ModuleList([SingleGATLSTM(args) for _ in range(args.labels_num)])
-
- def set_edge_index(self, edge_index):
- self.edge_index = edge_index # 将传入的edge_index保存到模型内部
-
- def forward(self, x):
- """
- 前向传播:所有子模型并行处理输入,拼接预测结果
- 参数:
- x: 输入序列,形状为[batch_size, seq_len, feature_num]
- 返回:
- 拼接后的预测结果,形状为[batch_size, output_size * labels_num]
- """
- outputs = []
- for model in self.models:
- outputs.append(model(x)) # 每个输出为[batch, output_size]
- return torch.cat(outputs, dim=1) # 拼接后[batch, output_size * labels_num]
|