how to format the image data for training/prediction when images are different in size?

You didn’t say what architecture you’re talking about. Since you said you want to classify images, I’m assuming it’s a partly convolutional, partly fully connected network like AlexNet, GoogLeNet, etc. In general, the answer to your question depends on the network type you are working with.

If, for example, your network only contains convolutional units – that is to say, does not contain fully connected layers – it can be invariant to the input image’s size. Such a network could process the input images and in turn return another image (“convolutional all the way”); you would have to make sure that the output matches what you expect, since you have to determine the loss in some way, of course.

If you are using fully connected units though, you’re up for trouble: Here you have a fixed number of learned weights your network has to work with, so varying inputs would require a varying number of weights – and that’s not possible.

If that is your problem, here’s some things you can do:

  • Don’t care about squashing the images. A network might learn to make sense of the content anyway; does scale and perspective mean anything to the content anyway?
  • Center-crop the images to a specific size. If you fear you’re losing data, do multiple crops and use these to augment your input data, so that the original image will be split into N different images of correct size.
  • Pad the images with a solid color to a squared size, then resize.
  • Do a combination of that.

The padding option might introduce an additional error source to the network’s prediction, as the network might (read: likely will) be biased to images that contain such a padded border.
If you need some ideas, have a look at the Images section of the TensorFlow documentation, there’s pieces like resize_image_with_crop_or_pad that take away the bigger work.

As for just don’t caring about squashing, here’s a piece of the preprocessing pipeline of the famous Inception network:

# This resizing operation may distort the images because the aspect
# ratio is not respected. We select a resize method in a round robin
# fashion based on the thread number.
# Note that ResizeMethod contains 4 enumerated resizing methods.

# We select only 1 case for fast_mode bilinear.
num_resize_cases = 1 if fast_mode else 4
distorted_image = apply_with_random_selector(
    distorted_image,
    lambda x, method: tf.image.resize_images(x, [height, width], method=method),
    num_cases=num_resize_cases)

They’re totally aware of it and do it anyway.

Depending on how far you want or need to go, there actually is a paper here called Spatial Pyramid Pooling in Deep Convolution Networks for Visual Recognition that handles inputs of arbitrary sizes by processing them in a very special way.

Leave a Comment