LSTM 图层的输入形状为 (batch_size、时间步长、特征(。我目前有一个如下所示的输入:
[0,1,2,3,4,5,6,7,8,9,10]
我使用我的代码来重塑数据,使其看起来像这样
[
[0,1,2,3],
[1,2,3,4],
[2,3,4,5],
[3,4,5,6],
[4,5,6,7],
[5,6,7,8],
[6,7,8,9],
[5,7,8,10]
]
但是,在 Python 中重塑这些数据需要花费大量时间。Keras/Tensorflow 中的 LSTM 模型是否有办法纯粹从中学习数据[0,1,2,3,4,5,6,7,8,9,10]我在 Keras API 中将时间步长定义为 4。我试图寻找这样的选项,但没有找到。
这是我一直在使用的:
numberOfTimesteps = 240
i = 0
lstmFeatures = pd.DataFrame()
while i < features.transpose().shape[0] - numberOfTimesteps:
temp = features.transpose().iloc[i:i+numberOfTimesteps,:]
lstmFeatures = lstmFeatures.append(temp)
if i%100 == 0:
print(i,end=',')
i = i + 1
有没有人对如何重塑或如何使用 Keras 有更好的想法?
您可以使用
tf.gather
import tensorflow as tf
my_data = tf.constant([1, 2, 3, 4, 5, 6, 7, 8, 9, 10])
to_take_inds = tf.range(4)[None, :]
to_take_inds = to_take_inds + tf.range(7)[:, None]
reshaped = tf.gather(my_data, to_take_inds)
with tf.Session() as sess:
print(sess.run(reshaped))
指纹
[[ 1 2 3 4]
[ 2 3 4 5]
[ 3 4 5 6]
[ 4 5 6 7]
[ 5 6 7 8]
[ 6 7 8 9]
[ 7 8 9 10]]