上面是我使用TF2构建的Keras模型。我希望只通过连接层将来自Right Network的预测馈送到批处理归一化层,尽管训练是在上面显示的具有两个输入层的网络上完成的。在预测期间,我只将输入提供给input_5层,以从最终分类层获得输出。我不希望在预测过程中来自左网络的任何贡献。
可能的解决方案: 1.保存Target_Model的权重,Batch-Norm为密集层权重(使其为顺序),并将Source_Model替换为形状为(?,512)的零数组。创建了一个新模型,并将所有这些片段添加到一起,以根据预测需要制定新模型,其中Source_Model被替换为零数组,以便将其馈送到级联层。问题:创建形状为(?,512)的零数组时出错,因为未定义批处理大小。
如何在TF2.x中解决此问题?
还有人知道其他技术吗?
发布于 2020-06-10 11:46:04
这可以是一个解决方案..。
## define left model
left = Input((33))
xl = Dense(512)(left)
left_model = Model(left, xl)
## define right model
right = Input((10))
xr = Dense(64)(right)
right_model = Model(right, xr)
## define final shared model
concat_inp = Input((576))
x = BatchNormalization()(concat_inp)
out = Dense(1)(x)
combi_model = Model(concat_inp, out)
## combine left and right model
concat = Concatenate()([left_model.output, right_model.output])
## combine branches with final shared model
combi = combi_model(concat)
full_model = Model([left_model.input, right_model.input], combi)
# full_model.fit(...)
在对整个模型进行拟合后,我们可以提取所需的内容。
## replace left branch in fitted model
fake_left_input = Input((512))
## combine fake left branch with right fitted branch
new_concat = Concatenate()([fake_left_input, right_model.output])
## combine branches with final shared model
new_combi = combi_model(new_concat)
new_full_model = Model([fake_left_input, right_model.input], new_combi)
new_full_model.summary()
X_right_test = np.random.uniform(0,1, (20,10))
X_left_test = np.zeros((len(X_right_test),512))
new_full_model([X_left_test, X_right_test])
https://stackoverflow.com/questions/62300732
复制相似问题