tf.data.Dataset:与えられた入力タイプに `batch_size`引数を指定してはなりません


10

私が使用していますタロスとGoogleのコラボTPUをのハイパーパラメータのチューニングを実行するためにKerasのモデルを。Tensorflow 1.15.0とKeras 2.2.4-tfを使用していることに注意してください。

import os
import tensorflow as tf
import talos as ta
from tensorflow.keras.models import Sequential
from tensorflow.keras.layers import Dense
from tensorflow.keras.optimizers import Adam
from sklearn.model_selection import train_test_split

def iris_model(x_train, y_train, x_val, y_val, params):

    # Specify a distributed strategy to use TPU
    resolver = tf.contrib.cluster_resolver.TPUClusterResolver(tpu='grpc://' + os.environ['COLAB_TPU_ADDR'])
    tf.contrib.distribute.initialize_tpu_system(resolver)
    strategy = tf.contrib.distribute.TPUStrategy(resolver)

    # Use the strategy to create and compile a Keras model
    with strategy.scope():
      model = Sequential()
      model.add(Dense(32, input_shape=(4,), activation=tf.nn.relu, name="relu"))
      model.add(Dense(3, activation=tf.nn.softmax, name="softmax"))
      model.compile(optimizer=Adam(learning_rate=0.1), loss=params['losses'])

    # Convert data type to use TPU
    x_train = x_train.astype('float32')
    x_val = x_val.astype('float32')

    dataset = tf.data.Dataset.from_tensor_slices((x_train, y_train))
    dataset = dataset.cache()
    dataset = dataset.shuffle(1000, reshuffle_each_iteration=True).repeat()
    dataset = dataset.batch(params['batch_size'], drop_remainder=True)

    # Fit the Keras model on the dataset
    out = model.fit(dataset, batch_size=params['batch_size'], epochs=params['epochs'], validation_data=[x_val, y_val], verbose=0, steps_per_epoch=2)

    return out, model

# Load dataset
X, y = ta.templates.datasets.iris()

# Train and test set
x_train, x_val, y_train, y_val = train_test_split(X, y, test_size=0.30, shuffle=False)

# Create a hyperparameter distributions 
p = {'losses': ['logcosh'], 'batch_size': [128, 256, 384, 512, 1024], 'epochs': [10, 20]}

# Use Talos to scan the best hyperparameters of the Keras model
scan_object = ta.Scan(x_train, y_train, params=p, model=iris_model, experiment_name='test', x_val=x_val, y_val=y_val, fraction_limit=0.1)

を使用してトレインセットをデータセットに変換した後tf.data.Dataset、モデルをでフィッティングすると次のエラーが発生しますout = model.fit

---------------------------------------------------------------------------
ValueError                                Traceback (most recent call last)
<ipython-input-3-c812209b95d0> in <module>()
      8 
      9 # Use Talos to scan the best hyperparameters of the Keras model
---> 10 scan_object = ta.Scan(x_train, y_train, params=p, model=iris_model, experiment_name='test', x_val=x_val, y_val=y_val, fraction_limit=0.1)

8 frames
/usr/local/lib/python3.6/dist-packages/tensorflow_core/python/keras/engine/training.py in _validate_or_infer_batch_size(self, batch_size, steps, x)
   1813             'The `batch_size` argument must not be specified for the given '
   1814             'input type. Received input: {}, batch_size: {}'.format(
-> 1815                 x, batch_size))
   1816       return
   1817 

ValueError: The `batch_size` argument must not be specified for the given input type. Received input: <DatasetV1Adapter shapes: ((512, 4), (512, 3)), types: (tf.float32, tf.float32)>, batch_size: 512

次に、これらの指示に従い、batch-size引数をに設定しない場合model.fit。私は別のエラーを受け取ります:

---------------------------------------------------------------------------
TypeError                                 Traceback (most recent call last)
<ipython-input-3-c812209b95d0> in <module>()
      8 
      9 # Use Talos to scan the best hyperparameters of the Keras model
---> 10 scan_object = ta.Scan(x_train, y_train, params=p, model=iris_model, experiment_name='test', x_val=x_val, y_val=y_val, fraction_limit=0.1)

8 frames
/usr/local/lib/python3.6/dist-packages/tensorflow_core/python/keras/engine/training.py in _distribution_standardize_user_data(self, x, y, sample_weight, class_weight, batch_size, validation_split, shuffle, epochs, allow_partial_batch)
   2307             strategy) and not drop_remainder:
   2308           dataset_size = first_x_value.shape[0]
-> 2309           if dataset_size % batch_size == 0:
   2310             drop_remainder = True
   2311 

TypeError: unsupported operand type(s) for %: 'int' and 'NoneType'

スタックトレース全体を投稿できれば、最後のエラーに役立ちます。この関数は、このファイルの多数
mdaoust

質問を編集しました。スタックトレースを確認できます。時間と考慮に感謝します。
サミBelkacem

回答:


0

githubコードから:

ValueError xは、ジェネレータまたはSequenceインスタンスであり、batch_sizeユーザーがバッチ処理されたデータセットを提供することを期待しているように指定されている場合に発生します。

使ってみてください batch_size = None


_distribution_standardize_user_data(self、x、y、sample_weight、class_weight、batch_size、validation_split、shuffle、epochs、allow_partial_batch)TypeError:unsupported operand type(s)for *: 'NoneType' and 'int
Sami Belkacem

また、steps_per_epoch = Noneを設定する必要があります
Ioannis Nasios

動作しません。別のエラーが発生します。ValueError:サポートされていないタイプ(<class 'NoneType'>)の値(None)をTensorに変換しようとしました。短いプログラムをコピーすることでエラーを簡単に再現できると思います
Sami Belkacem '22

0

以下があなたの請求書に合うかどうかはわかりませんが、何か試してみてください。私が行ったすべては、データセットからのrepeat()とmodel.fitからのbatch_size = params ['batch_size']から削除されます

上記があなたが犠牲にする準備ができているものでないなら、投稿を無視してください。

import os
import tensorflow as tf
import talos as ta
from tensorflow.keras.models import Sequential
from tensorflow.keras.layers import Dense

def iris_model(x_train, y_train, x_val, y_val, params):

    # Specify a distributed strategy to use TPU
    resolver = tf.distribute.cluster_resolver.TPUClusterResolver(tpu='grpc://' + os.environ['COLAB_TPU_ADDR'])
    tf.config.experimental_connect_to_host(resolver.master())
    tf.tpu.experimental.initialize_tpu_system(resolver)
    strategy = tf.distribute.experimental.TPUStrategy(resolver)

    with strategy.scope():
        model = Sequential()
        model.add(Dense(32, input_dim=4, activation=params['activation']))
        model.add(Dense(3, activation='softmax'))
        model.compile(optimizer=params['optimizer'], loss=params['losses'])

    # Convert the train set to a Dataset to use TPU
    dataset = tf.data.Dataset.from_tensor_slices((x_train, y_train))
    dataset = dataset.cache().shuffle(1000, reshuffle_each_iteration=True).batch(params['batch_size'], drop_remainder=True)

    out = model.fit(dataset, epochs=params['epochs'], validation_data=[x_val, y_val], verbose=0)

    return out, model

x, y = ta.templates.datasets.iris()

p = {'activation': ['relu', 'elu'],
       'optimizer': ['Nadam', 'Adam'],
       'losses': ['logcosh'],
       'batch_size': (20, 50, 5),
       'epochs': [10, 20]}

scan_object = ta.Scan(x, y, model=iris_model, params=p, fraction_limit=0.1, experiment_name='first_test')

機能していません:TypeError:サポートされていないオペランドタイプ*: 'NoneType'および 'int'
Sami Belkacem

0

その2番目のエラーは、でを _distribution_standardize_user_data渡さない場合に発生しますbatch_size

その関数に対して実行しているコードは次のとおりです。

https://github.com/tensorflow/tensorflow/blob/r1.15/tensorflow/python/keras/engine/training.py#L2192

あなたはトレースバックを投稿しませんでしたが、それは何かが掛けられる唯一の場所なので、2294行目で失敗しbatch_sizeています。

if shuffle:
          # We want a buffer size that is larger than the batch size provided by
          # the user and provides sufficient randomness. Note that larger
          # numbers introduce more memory usage based on the size of each
          # sample.
          ds = ds.shuffle(max(1024, batch_size * 8))

設定することでシャットオフできるようですshuffle=False

fit(ds, shuffle=False,...)

それは動作しますか?


ありがとう。ただし、shuffle = Falseでも同じエラーが発生します。それはない2294、ライン2309に失敗しています
サミBelkacem

@SamiBelkacem、それ '
mdaoust

0

あなたのコードからこれらの行を削除してみてください:

    dataset = dataset.cache()
    dataset = dataset.shuffle(1000, reshuffle_each_iteration=True).repeat()
    dataset = dataset.batch(params['batch_size'], drop_remainder=True)
WITH THESE:
    dataset = dataset.repeat()
    dataset = dataset.batch(128, drop_remainder=True)
    dataset = dataset.prefetch(1)

そうでなければ、あなたが書いたtf.data.Dataset.from_tensor_slicesものはエラーと関係があります。


まだ動かない。あなたが言ったように、tf.data.Datasetはエラーと関係があります。ただし、ドキュメントには、Cloud TPUを使用する場合は含める必要があると記載されていますtensorflow.org/guide/tpu#input_datasets
Sami Belkacem
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.