我正在尝试使用LSTM进行商店销售预测。以下是我的原始数据的样子:
| Date | StoreID | Sales | Temperature | Open | StoreType |
|------------|---------|-------|-------------|---------|-----------|
| 01/01/2016 | 1 | 0 | 36 | 0 | 1 |
| 01/02/2016 | 1 | 10100 | 42 | 1 | 1 |
| ...
| 12/31/2016 | 1 | 14300 | 39 | 1 | 1 |
| 01/01/2016 | 2 | 25000 | 46 | 1 | 3 |
| 01/02/2016 | 2 | 23700 | 43 | 1 | 3 |
| ...
| 12/31/2016 | 2 | 20600 | 37 | 1 | 3 |
| ...
| 12/31/2016 | 10 | 19800 | 52 | 1 | 2 |
我需要预测未来10天的销售情况。在这个例子中,我需要预测从01-01-2017到01-10-2017的商店销售情况。我知道如何使用其他时间序列模型或回归模型来解决这个问题,但我想知道RNN-LSTM是否适合它。
我首先采用 only storeID = 1 data 来测试LSTM。如果我的数据 只有日期和销售 。我将以这种方式构建我的trainX和trainY(如果我错了,请纠正我):
Window = 20
Horizon = 10
| trainX | trainY |
| [Yt-10, Yt-11, Yt-12,...,Yt-29] | [Yt, Yt-1, Yt-2,...,Yt-9] |
| [Yt-11, Yt-12, Yt-13,...,Yt-30] | [Yt-2, Yt-3, Yt-4,...,Yt-10] |
| [Yt-12, Yt-13, Yt-14,...,Yt-31] | [Yt-3, Yt-4, Yt-5,...,Yt-11] |
...
重塑两个
之后trainX.shape
(300, 1, 20)
trainY.shape
(300, 10)
问题1:在这种情况下,[样本,时间步长,功能] = [300,1,20]。这是正确的吗?或者我应该将样本构建为[300,20,1]?
问题2:我确实想在温度,StoreType等原始数据中使用其他信息。我应该如何构建LSTM的输入数据?
问题3:到目前为止,我们只讨论了1个商店预测,如果我想预测所有商店,那么我应该如何构建我的输入数据?
目前我正在流动来自here的示例,但似乎还不足以涵盖我所拥有的情景。我真的很感谢你的帮助!
答案 0 :(得分:13)
我最近解决了类似的问题。在你的情况下:
输入应具有(300, 20, 1)
形状 - 因为您的时间序列长度20
具有1
功能。
你可以这样做:
sequential_input = Input(shape=(20, 1))
feature_input = Input(shape=(feature_nb,))
lstm_layer = LSTM(lstm_units_1st_layer, return_sequences=True)(sequential_input)
lstm_layer = LSTM(lstm_units_2nd_layer, return_sequences=True)(lstm_layer)
...
lstm_layer = LSTM(lstm_units_nth_layer, return_sequences=False)(lstm_layer)
merged = merge([lstm_layer, feature_input], mode='concat')
blend = Dense(blending_units_1st_layer, activation='relu')(merged)
blend = Dense(blending_units_2nd_layer, activation='relu')(blend)
...
output = Dense(10)(blend)
这是最难的部分。我不建议您通过将多个商店作为一个特征向量提供给网络来预测多个商店。您可以简单地跳过此部分并尝试使用一个模型或后处理输出来预测不同的商店。某种图形模型或矩阵PCA
,其中行是日销售。
<强>更新强>
为了处理多个顺序功能,您可以执行以下操作:
sequential_input = Input(shape=(20, nb_of_sequental_features))
feature_input = Input(shape=(feature_nb,))
lstm_layer = LSTM(lstm_units_1st_layer, return_sequences=True)(sequential_input)
lstm_layer = LSTM(lstm_units_2nd_layer, return_sequences=True)(lstm_layer)
...
lstm_layer = LSTM(lstm_units_nth_layer, return_sequences=False)(lstm_layer)
merged = merge([lstm_layer, feature_input], mode='concat')
blend = Dense(blending_units_1st_layer, activation='relu')(merged)
blend = Dense(blending_units_2nd_layer, activation='relu')(blend)
...
output = Dense(10)(blend)
model = Model(input=[sequential_input, feature_input], output=output])
在这种情况下,您的输入应包含两个表的列表:[sequential_data, features]
其中sequential_data.shape = (nb_of_examples, timesteps, sequential_features)
和features.shape = (nb_of_examples, feature_nb)
。因此,sales
或temperature
应存储在sequential_features
和store_type
中的features
。