给定以下代码
encoder_inputs = Input(shape=(16, 70))
encoder = LSTM(latent_dim, return_state=True)
encoder_outputs, state_h, state_c = encoder(encoder_inputs)
# We discard `encoder_outputs` and only keep the states.
encoder_states = [state_h, state_c]
# Set up the decoder, using `encoder_states` as initial state.
decoder_inputs = Input(shape=(59, 93))
# We set up our decoder to return full output sequences,
# and to return internal states as well. We don't use the
# return states in the training model, but we will use them in inference.
decoder_lstm = LSTM(latent_dim, return_sequences=True, return_state=True)
decoder_outputs,_,_ = decoder_lstm(decoder_inputs,
initial_state=encoder_states)
decoder_dense = TimeDistributed(Dense(93, activation='softmax'))
decoder_outputs = decoder_dense(decoder_outputs)
# Define the model that will turn
# `encoder_input_data` & `decoder_input_data` into `decoder_target_data`
model = Model([encoder_inputs, decoder_inputs], decoder_outputs)
如果我改变
decoder_dense = TimeDistributed(Dense(93, activation='softmax'))
自
decoder_dense = Dense(93, activation='softmax')
它仍然有效,但哪种方法更有效?
如果您的数据依赖于时间,例如Time Series
数据或包含Video
不同帧的数据,则时间Distributed Dense
图层比简单的Dense
图层有效。
Time Distributed Dense
将相同的dense
图层应用于单元格展开过程中的每个时间步长GRU/LSTM
。这就是为什么误差函数将位于predicted label sequence
和actual label sequence
之间。
使用return_sequences=False
,Dense
图层将仅在最后一个单元格中应用一次。当RNNs
用于分类问题时,通常就是这种情况。
如果return_sequences=True
,则Dense
图层用于在每个时间步应用,就像TimeDistributedDense
一样。
在您的模型中,两者是相同的,但是如果将第二个模型更改为return_sequences=False
,则Dense
将仅应用于最后一个单元格。
希望这有帮助。快乐学习!