我不明白为什么我必须两次调用fit()
/ fit_generator()
函数才能微调Keras中的InceptionV3(或任何其他预训练模型)(版本2.0.0) )。
documentation建议如下:
在新的一组类
上微调InceptionV3from keras.applications.inception_v3 import InceptionV3
from keras.preprocessing import image
from keras.models import Model
from keras.layers import Dense, GlobalAveragePooling2D
from keras import backend as K
# create the base pre-trained model
base_model = InceptionV3(weights='imagenet', include_top=False)
# add a global spatial average pooling layer
x = base_model.output
x = GlobalAveragePooling2D()(x)
# let's add a fully-connected layer
x = Dense(1024, activation='relu')(x)
# and a logistic layer -- let's say we have 200 classes
predictions = Dense(200, activation='softmax')(x)
# this is the model we will train
model = Model(input=base_model.input, output=predictions)
# first: train only the top layers (which were randomly initialized)
# i.e. freeze all convolutional InceptionV3 layers
for layer in base_model.layers:
layer.trainable = False
# compile the model (should be done *after* setting layers to non-trainable)
model.compile(optimizer='rmsprop', loss='categorical_crossentropy')
# train the model on the new data for a few epochs
model.fit_generator(...)
# at this point, the top layers are well trained and we can start fine-tuning
# convolutional layers from inception V3. We will freeze the bottom N layers
# and train the remaining top layers.
# let's visualize layer names and layer indices to see how many layers
# we should freeze:
for i, layer in enumerate(base_model.layers):
print(i, layer.name)
# we chose to train the top 2 inception blocks, i.e. we will freeze
# the first 172 layers and unfreeze the rest:
for layer in model.layers[:172]:
layer.trainable = False
for layer in model.layers[172:]:
layer.trainable = True
# we need to recompile the model for these modifications to take effect
# we use SGD with a low learning rate
from keras.optimizers import SGD
model.compile(optimizer=SGD(lr=0.0001, momentum=0.9), loss='categorical_crossentropy')
# we train our model again (this time fine-tuning the top 2 inception blocks
# alongside the top Dense layers
model.fit_generator(...)
为什么我们不打电话给fit()
/ fit_generator()
一次?
一如既往,感谢您的帮助!
E D I T:
Nassim Ben和David de la Iglesia给出的以下答案都非常好。我强烈推荐David de la Iglesia提供的链接:Transfer Learning
答案 0 :(得分:4)
InceptionV3是一个非常深刻和复杂的网络,它已经过训练以识别某些东西,但是你正在将它用于另一个分类任务。这意味着当你使用它时,它并不能完全适应你的行为。
因此,他们希望在此实现的目标是使用受过训练的网络已经学习的一些功能,并修改一些网络顶层(最高级别的功能,最接近您的任务)。
所以他们删除了最顶层并添加了一些新的和未经训练的层。他们想要为他们的任务训练那个大模型,使用172个第一层进行的特征提取,并学习最后一个适合你的任务。
在他们想要训练的那部分中,有一个子部分已经学习了参数,另一个部分有新的,随机初始化的参数。问题是已经学过的图层,你只想对它们进行微调,而不是从头开始重新学习......模型无法区分应该微调的图层和应该完全学习的图层。如果你只对模型的[172:]层进行一次拟合,你将失去在imagnet的巨大数据集上学到的有趣特征。你不想要那个,所以你要做的是:
总而言之,当你想要训练混合了已经学过的"使用新图层的图层,您可以使新图层更新,然后训练所有内容以对其进行微调。
答案 1 :(得分:2)
如果你在一个已经调整过的convnet上添加2层随机初始化,你试图微调一些卷积层而不“预热”新层,这些新层的高梯度会炸掉(有用的)东西从那些卷积层中学到了。
这就是为什么你的第一个fit
只训练这2个新图层,使用预先训练好的信条像某种“固定”特征提取器。
之后,您的2个Dense图层没有高渐变,您可以微调一些预先训练过的卷积图层。这就是你在第二个fit
上做的事情。