在Keras中應用注意力機制可以通過使用自定義層(custom layer)來實現。以下是一個示例代碼,演示了如何在Keras模型中添加一個簡單的注意力機制:
import tensorflow as tf
from tensorflow.keras.layers import Layer
class AttentionLayer(Layer):
def __init__(self):
super(AttentionLayer, self).__init__()
def build(self, input_shape):
self.W = self.add_weight(shape=(input_shape[-1], 1),
initializer='random_normal',
trainable=True)
super(AttentionLayer, self).build(input_shape)
def call(self, inputs):
u = tf.tanh(tf.matmul(inputs, self.W))
a = tf.nn.softmax(u, axis=1)
output = tf.reduce_sum(inputs * a, axis=1)
return output
# 定義一個簡單的Keras模型
inputs = tf.keras.Input(shape=(10,))
x = tf.keras.layers.Dense(64, activation='relu')(inputs)
x = tf.keras.layers.Dropout(0.2)(x)
outputs = AttentionLayer()(x)
model = tf.keras.Model(inputs=inputs, outputs=outputs)
model.compile(optimizer='adam', loss='mse')
# 訓練模型
model.fit(x_train, y_train, epochs=10, batch_size=32)
在上面的代碼中,首先定義了一個自定義的注意力層 AttentionLayer
,在該層的 build
方法中初始化權重矩陣 W
,在 call
方法中計算注意力權重并將其應用到輸入上。然后在Keras模型中添加這個注意力層,可以在任何需要注意力機制的地方使用該層。最后通過編譯模型并訓練進行訓練。