这里的关键观察是 TensorFlow 采样的 softmax 函数返回实际损失,而不是一组对可能标签集的预测,以与地面实况数据进行比较,然后作为单独的步骤计算损失。这使得模型设置有点奇怪。
首先,我们向模型添加第二个输入层,该层将目标(训练)数据第二次编码为输入,除了作为目标输出。这用于函数的labels参数sampled_softmax_loss。它需要是一个 Keras 输入,因为当我们去实例化和设置模型时,它被视为输入。
其次,我们构建了一个新的自定义 Keras 层,该层以两个 Keras 层作为其输入调用该sampled_softmax_loss函数:预测我们的类的密集层的输出,然后是包含训练数据副本的第二个输入。请注意,我们正在做一些严重的黑客行为来访问_keras_history实例变量,以从原始全连接层的输出张量中获取权重和偏差张量。
最后,我们必须构造一个新的“哑”损失函数,它忽略训练数据,只使用sampled_softmax_loss函数报告的损失。
请注意,由于采样的 softmax 函数返回的是损失,而不是类预测,因此您不能使用此模型规范进行验证或推理。您需要在新规范中重新使用此“训练版本”中的训练层,该规范将标准 softmax 函数应用于应用了默认激活函数的原始密集层。
肯定有一种更优雅的方法可以做到这一点,但我相信这是可行的,所以我想我现在按原样发布它,而不是等到我有一些更整洁的东西。例如,您可能希望将类的数量作为SampledSoftmax层的参数,或者更好的是,将其全部压缩到原始问题中的损失函数中,并避免两次传入训练数据。
from keras.models import Model
from keras.layers import Input, Dense, Layer
from keras import backend as K
class SampledSoftmax(Layer):
    def __init__(self, **kwargs):
        super(SampledSoftmax, self).__init__(**kwargs)
    def call(self, inputs):
        """
        The first input should be the model as it were, and the second the
        target (i.e., a repeat of the training data) to compute the labels
        argument
        """
        # the labels input to this function is batch size by 1, where the
        # value at position (i, 1) is the index that is true (not zero)
        # e.g., (0, 0, 1) => (2) or (0, 1, 0, 0) => (1)
        return K.tf.nn.sampled_softmax_loss(weights=inputs[0]._keras_history[0].weights[0],
                                            biases=inputs[0]._keras_history[0].bias,
                                            inputs=inputs[0],
                                            labels=K.tf.reshape(K.tf.argmax(inputs[1], 1), [-1, 1]),
                                            num_sampled=1000,
                                            num_classes=200000)
def custom_loss(y_true, y_pred):
    return K.tf.reduce_mean(y_pred)
num_classes = 200000
input = Input(shape=(300,))
target_input = Input(shape=(num_classes,))
dense = Dense(num_classes)
outputs = dense(input)
outputs = SampledSoftmax()([outputs, target_input])
model = Model([input, target_input], outputs)
model.compile(optimizer=u'adam', loss=custom_loss)
# train as desired