Модель Keras запрашивает компиляцию даже после вызова компиляции - PullRequest
0 голосов
/ 14 марта 2019

У меня есть простая модель Keras:

model_2 = Sequential()
model_2.add(Dense(32, input_shape=(500,)))
model_2.add(Dense(4))
#answer = concatenate([response, question_encoded])

model_1 = Sequential()
model_1.add(LSTM(32, dropout_U = 0.2, dropout_W = 0.2, return_sequences=True, input_shape=(None, 2048)))
model_1.add(LSTM(16, dropout_U = 0.2, dropout_W = 0.2, return_sequences=False))
#model.add(LSTM(16, return_sequences=False))

merged = Merge([model_1, model_2])
model = Sequential()
model.add(merged)
model.add(Dense(8, activation='softmax'))

#model.build()

#print(model.summary(90))
print("Compiled")
model.compile(loss='categorical_crossentropy', optimizer='adam', metrics=['accuracy'])

Код завершается с ошибкой при вызове fit ():

    raise RuntimeError('You must compile your model before using it.')
RuntimeError: You must compile your model before using it.

Понятно, я позвонил в compile. Как я могу устранить ошибку?

1 Ответ

1 голос
/ 14 марта 2019

Похоже, проблема в том, что вы создаете 3 экземпляра последовательной модели, а компилируете только третий (объединенный).Возможно, будет проще использовать другую структуру для мультимодальной сети:

input_2 = Input(shape=(500,))
model_2 = Dense(32)(input_2 )
model_2 = Dense(4)(model_2)

input_1 = Input(shape=(None, 2048))
model_1 = LSTM(32, dropout_U = 0.2, dropout_W = 0.2, return_sequences=True)(input_1 )
model_1 = LSTM(16, dropout_U = 0.2, dropout_W = 0.2, return_sequences=False)(model_1)

merged = concatenate([model_2, model_1])
merged = Dense(8, activation='softmax')(merged)

model = Model(inputs=[input_2 , input_1], outputs=merged)
model.compile(loss='categorical_crossentropy', optimizer='adam', metrics=['accuracy'])

Надеюсь, это поможет!

...