functional APIは、複数の出力があるモデルや有向非巡回グラフ、共有レイヤーを持ったモデルなどの複雑なモデルを定義するためのインターフェースです。
  ここではSequential modelについて既に知識があることを前提として説明します。
  シンプルな例から見てきましょう。
  First example: fully connected network
    下記のネットワークはSequential modelによっても定義可能ですが、   functional APIを使ったシンプルな例を見てきましょう。
  ·          layerのインスタンスは関数呼び出し可能で、戻り値としてtensorを返します
  ·          Modelを定義することで入力と出力のtensorは接続されます
  ·          上記で定義したモデルはSequentialと同様に利用可能です
from keras.layers import Input, Dense  from keras.models import Model    # this returns a tensor  inputs = Input(shape=(784,))  # a layer instance is callable on a tensor, and returns a tensor  x = Dense(64, activation='relu')(inputs)x = Dense(64, activation='relu')(x)predictions = Dense(10, activation='softmax')(x)  # this creates a model that includes  # the Input layer and three Dense layers  model = Model(input=inputs, output=predictions)model.compile(optimizer='rmsprop',              loss='categorical_crossentropy',              metrics=['accuracy'])model.fit(data, labels)  # starts training  All models are callable, just like layers
    functional APIを利用することで、学習済みモデルの再利用が簡単になります:  全てのモデルを、tensorを引数としたlayerのように扱うことができます。これにより、モデルのアーキテクチャだけでなく、モデルの重みも再利用することができます。
x = Input(shape=(784,))# this works, and returns the 10-way softmax we defined above.  y = model(x)  一連のシーケンスを処理するモデルを簡単に設計することが可能となります。  例えば画像識別モデルをたった1行で動画識別モデルに応用することもできます。
from keras.layers import TimeDistributed    # input tensor for sequences of 20 timesteps,  # each containing a 784-dimensional vector  input_sequences = Input(shape=(20, 784))  # this applies our previous model to every timestep in the input sequences.  # the output of the previous model was a 10-way softmax,  # so the output of the layer below will be a sequence of 20 vectors of size 10.  processed_sequences = TimeDistributed(model)(input_sequences)  Multi-input and multi-output models
    functional APIは複数の入出力を持ったモデルに最適です。  複数の複雑なデータストリームを簡単に扱うことが出来ます。
  Twitterの新しいニュースヘッドラインを受信した際、そのツイートのリツイートやライクの回数を予測する例を考えます。主な入力はヘッドラインの単語のシーケンスですが、スパイスとして、ヘッドラインの投稿時間などのデータを入力として追加します。  このモデルは2つの損失関数によって学習されます。
  以下がモデルの図になります。
  functional APIを利用してこのネットワークを実装してみましょう。
  main inputはヘッドラインを整数のシーケンス(それぞれの整数は単語をエンコードしたしたもの)として受け取ります。  整数の範囲は1から10000となり(単語数は10000語)、各シーケンスは長さ100単語で構成されます。
from keras.layers import Input, Embedding, LSTM, Dense, merge  from keras.models import Model    # headline input: meant to receive sequences of 100 integers, between 1 and 10000.  # note that we can name any layer by passing it a "name" argument.  main_input = Input(shape=(100,), dtype='int32', name='main_input')  # this embedding layer will encode the input sequence  # into a sequence of dense 512-dimensional vectors.  x = Embedding(output_dim=512, input_dim=10000, input_length=100)(main_input)  # a LSTM will transform the vector sequence into a single vector,  # containing information about the entire sequence  lstm_out = LSTM(32)(x)  補助損失を追加し、LSTMとEmbeddeding layerの学習をスムーズに行えるようにします。
auxiliary_loss = Dense(1, activation='sigmoid', name='aux_output')(lstm_out)  ここで、補助の入力データをLSTMの出力とマージしてモデルへ流し込みます。
auxiliary_input = Input(shape=(5,), name='aux_input')x = merge([lstm_out, auxiliary_input], mode='concat')  # we stack a deep fully-connected network on top  x = Dense(64, activation='relu')(x)x = Dense(64, activation='relu')(x)x = Dense(64, activation='relu')(x)  # and finally we add the main logistic regression layer  main_loss = Dense(1, activation='sigmoid', name='main_output')(x)  2つの入力と2つの出力を持ったモデルを定義します。
model = Model(input=[main_input, auxiliary_input], output=[main_loss, auxiliary_loss])  モデルをコンパイルし、補助損失に0.2の重み付けを行います。  様々なloss_weightsやlossを対応付けるためにlistもしくはdictionaryを利用します。 lossに1つの損失関数を与えた場合、全ての出力に対して同一の損失関数が適用されます。
model.compile(optimizer='rmsprop', loss='binary_crossentropy',              loss_weights=[1., 0.2])  モデルに入力と教師データをlistで渡すことで学習できます。
model.fit([headline_data, additional_data], [labels, labels],          nb_epoch=50, batch_size=32)  入力と出力に名前付けを行っていれば(引数"name"を利用)、下記のような方法でモデルをコンパイルできます。
model.compile(optimizer='rmsprop',              loss={'main_output': 'binary_crossentropy', 'aux_output': 'binary_crossentropy'},              loss_weights={'main_output': 1., 'aux_output': 0.2})  # and trained it via:  model.fit({'main_input': headline_data, 'aux_input': additional_data},          {'main_output': labels, 'aux_output': labels},          nb_epoch=50, batch_size=32)  Shared layers
    その他のfunctional APIの利用例として、共有レイヤーがあります。  共有レイヤーについて考えてみましょう。
  ツイートのデータセットの例を考えてみましょう。2つのツイートが同じ人物からつぶやかれたかどうかを判定するモデルを作りたいとします。(例えばこれによりユーザーの類似度を比較することができます)
  これを実現する一つの方法として、2つのツイートを2つのベクトルにエンコードし、それらをマージした後、ロジスティクス回帰を行うことで、その2つのツイートが同じ人物から投稿されたかどうかの確率を出力できます。  このモデルはポジティブなツイートのペアとネガティブなツイートのペアを用いて学習することができます。
  問題はシンメトリックであるため、1つめのツイートのエンコードメカニズムは2つめのツイートのエンコード時に再利用出来ます。  ここではLSTMの共有レイヤーによりツイートをエンコードします。
  functional APIでこのモデルを作成してみましょう。  入力として(140, 256)のバイナリー行列をとります。  サイズが256の140個のシーケンスで、256次元のベクトルの各次元は文字(アルファベット以外も含めた256文字の出現頻度の高いもの)の有無を表します。
from keras.layers import Input, LSTM, Dense, merge  from keras.models import Model    tweet_a = Input(shape=(140, 256))tweet_b = Input(shape=(140, 256))  それぞれのインプット間でレイヤーを共有するために、1つのレイヤーを生成し、そのレイヤーを用いて複数の入力を処理します。
# this layer can take as input a matrix  # and will return a vector of size 64  shared_lstm = LSTM(64)  # when we reuse the same layer instance  # multiple times, the weights of the layer  # are also being reused  # (it is effectively *the same* layer)  encoded_a = shared_lstm(tweet_a)encoded_b = shared_lstm(tweet_b)  # we can then concatenate the two vectors:  merged_vector = merge([encoded_a, encoded_b], mode='concat', concat_axis=-1)  # and add a logistic regression on top  predictions = Dense(1, activation='sigmoid')(merged_vector)  # we define a trainable model linking the  # tweet inputs to the predictions  model = Model(input=[tweet_a, tweet_b], output=predictions)  model.compile(optimizer='rmsprop',              loss='binary_crossentropy',              metrics=['accuracy'])model.fit([data_a, data_b], labels, nb_epoch=10)  共有レイヤーの出力や出力のshapeを見てみましょう。
  The concept of layer "node"
    ある入力を用いてレイヤーを関数呼び出しするときは常に新しいtensor(レイヤーの出力)を生成しており、レイヤーにノードを追加すると入力のテンソルと出力のテンソルはリンクされます。  同じレイヤーを複数回呼び出す際、そのレイヤーは0, 1, 2...とインデックスされた複数のノードを所有することになります。
  以前のバージョンのKerasでは、layer.get_output()によって出力のテンソルを取得でき、layer.output_shapeによって形を取得できました。  もちろん現在のバージョンでもこれらは利用可能です(get_output()はoutputというプロパティーに変更されました)。  しかし複数の入力が接続されているレイヤーはどうしたらよいでしょうか?
  1つのレイヤーに1つの入力しかない場合は問題はなく.outputがレイヤー唯一の出力を返してくれるでしょう。
a = Input(shape=(140, 256))  lstm = LSTM(32)encoded_a = lstm(a)  assert lstm.output == encoded_a    複数の入力がある場合はそうはなりません。
a = Input(shape=(140, 256))b = Input(shape=(140, 256))  lstm = LSTM(32)encoded_a = lstm(a)encoded_b = lstm(b)  lstm.output>> AssertionError: Layer lstm_1 has multiple inbound nodes,hence the notion of "layer output" is ill-defined.Use `get_output_at(node_index)` instead.
  下記は正常に動作します。
assert lstm.get_output_at(0) == encoded_a  assert lstm.get_output_at(1) == encoded_b    シンプルですね。
  input_shapeとoutput_shapeについても同じことが言えます。  レイヤーが1つのノードしか持っていない、もしくは全てのノードが同じ入出力のshapeであれば、レイヤーの入出力のshapeが一意に定まり、layer.output_shape/layer.input_shapeによって1つのshapeを返します。しかしながら、1つのConvolution2Dレイヤーに(3,   32, 32)の入力と(3, 64, 64)の入力を行った場合、そのレイヤーは複数のinput/output   shapeを持つことになるため、それぞれのshapeはノードのインデックスを指定することで取得することができます。
a = Input(shape=(3, 32, 32))b = Input(shape=(3, 64, 64))  conv = Convolution2D(16, 3, 3, border_mode='same')conved_a = conv(a)  # only one input so far, the following will work:  assert conv.input_shape == (None, 3, 32, 32)    conved_b = conv(b)# now the `.input_shape` property wouldn't work, but this does:  assert conv.get_input_shape_at(0) == (None, 3, 32, 32)  assert conv.get_input_shape_at(1) == (None, 3, 64, 64)    More examples
    コード例を見ることは学習時に非常に有効です。  その他の例も見てみましょう。
  Inception module
    Inceptionモデルについての詳細はGoing   Deeper with Convolutionsを参照。
from keras.layers import merge, Convolution2D, MaxPooling2D, Input    input_img = Input(shape=(3, 256, 256))  tower_1 = Convolution2D(64, 1, 1, border_mode='same', activation='relu')(input_img)tower_1 = Convolution2D(64, 3, 3, border_mode='same', activation='relu')(tower_1)  tower_2 = Convolution2D(64, 1, 1, border_mode='same', activation='relu')(input_img)tower_2 = Convolution2D(64, 5, 5, border_mode='same', activation='relu')(tower_2)  tower_3 = MaxPooling2D((3, 3), strides=(1, 1), border_mode='same')(input_img)tower_3 = Convolution2D(64, 1, 1, border_mode='same', activation='relu')(tower_3)  output = merge([tower_1, tower_2, tower_3], mode='concat', concat_axis=1)  Residual connection on a convolution layer
    Residual networksモデルについての詳細はDeep   Residual Learning for Image Recognitionを参照。
from keras.layers import merge, Convolution2D, Input    # input tensor for a 3-channel 256x256 image  x = Input(shape=(3, 256, 256))# 3x3 conv with 3 output channels (same as input channels)  y = Convolution2D(3, 3, 3, border_mode='same')(x)# this returns x + y.  z = merge([x, y], mode='sum')  Shared vision model
    このモデルでは、2つのMNISTの数字が同じものかどうかを識別するために、同じ画像処理のモジュールを2つの入力で再利用しています。
from keras.layers import merge, Convolution2D, MaxPooling2D, Input, Dense, Flatten  from keras.models import Model    # first, define the vision modules  digit_input = Input(shape=(1, 27, 27))x = Convolution2D(64, 3, 3)(digit_input)x = Convolution2D(64, 3, 3)(x)x = MaxPooling2D((2, 2))(x)out = Flatten()(x)  vision_model = Model(digit_input, out)  # then define the tell-digits-apart model  digit_a = Input(shape=(1, 27, 27))digit_b = Input(shape=(1, 27, 27))  # the vision model will be shared, weights and all  out_a = vision_model(digit_a)out_b = vision_model(digit_b)  concatenated = merge([out_a, out_b], mode='concat')out = Dense(1, activation='sigmoid')(concatenated)  classification_model = Model([digit_a, digit_b], out)  Visual question answering model
    このモデルは写真に対する自然言語の質問に対して1単語の解答を選択する事ができます。
  質問と画像をそれぞれベクトルにエンコードし、それらを1つに結合して、解答となる語彙を正解データとしてロジスティック回帰することで学習させることで実現できます。
from keras.layers import Convolution2D, MaxPooling2D, Flatten  from keras.layers import Input, LSTM, Embedding, Dense, merge  from keras.models import Model, Sequential    # first, let's define a vision model using a Sequential model.  # this model will encode an image into a vector.  vision_model = Sequential()vision_model.add(Convolution2D(64, 3, 3, activation='relu', border_mode='same', input_shape=(3, 224, 224)))vision_model.add(Convolution2D(64, 3, 3, activation='relu'))vision_model.add(MaxPooling2D((2, 2)))vision_model.add(Convolution2D(128, 3, 3, activation='relu', border_mode='same'))vision_model.add(Convolution2D(128, 3, 3, activation='relu'))vision_model.add(MaxPooling2D((2, 2)))vision_model.add(Convolution2D(256, 3, 3, activation='relu', border_mode='same'))vision_model.add(Convolution2D(256, 3, 3, activation='relu'))vision_model.add(Convolution2D(256, 3, 3, activation='relu'))vision_model.add(MaxPooling2D((2, 2)))vision_model.add(Flatten())  # now let's get a tensor with the output of our vision model:  image_input = Input(shape=(3, 224, 224))encoded_image = vision_model(image_input)  # next, let's define a language model to encode the question into a vector.  # each question will be at most 100 word long,  # and we will index words as integers from 1 to 9999.  question_input = Input(shape=(100,), dtype='int32')embedded_question = Embedding(input_dim=10000, output_dim=256, input_length=100)(question_input)encoded_question = LSTM(256)(embedded_question)  # let's concatenate the question vector and the image vector:  merged = merge([encoded_question, encoded_image], mode='concat')  # and let's train a logistic regression over 1000 words on top:  output = Dense(1000, activation='softmax')(merged)  # this is our final model:  vqa_model = Model(input=[image_input, question_input], output=output)  # the next stage would be training this model on actual data.    Video question answering model
    画像のQAモデルを学習したので、そのモデルを応用して動画のQA modelを作成してみましょう。  適切な学習を行うことで、短い動画や(100フレームの人物行動)や動画を用いた自然言語のQAへ応用することができます。
from keras.layers import TimeDistributed    video_input = Input(shape=(100, 3, 224, 224))# this is our video encoded via the previously trained vision_model (weights are reused)  encoded_frame_sequence = TimeDistributed(vision_model)(video_input)  # the output will be a sequence of vectorsencoded_video = LSTM(256)(encoded_frame_sequence)  # the output will be a vector  # this is a model-level representation of the question encoder, reusing the same weights as before:  question_encoder = Model(input=question_input, output=encoded_question)  # let's use it to encode the question:  video_question_input = Input(shape=(100,), dtype='int32')encoded_video_question = question_encoder(video_question_input)  # and this is our video question answering model:  merged = merge([encoded_video, encoded_video_question], mode='concat')output = Dense(1000, activation='softmax')(merged)video_qa_model = Model(input=[video_input, video_question_input], output=output)

0 件のコメント:
コメントを投稿