Проект

Общее

Профиль

cifar10_input.py

Сергей Мальковский, 27.09.2017 15:44

Загрузить (9,8 КБ)

 
1
# Copyright 2015 The TensorFlow Authors. All Rights Reserved.
2
#
3
# Licensed under the Apache License, Version 2.0 (the "License");
4
# you may not use this file except in compliance with the License.
5
# You may obtain a copy of the License at
6
#
7
#     http://www.apache.org/licenses/LICENSE-2.0
8
#
9
# Unless required by applicable law or agreed to in writing, software
10
# distributed under the License is distributed on an "AS IS" BASIS,
11
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
12
# See the License for the specific language governing permissions and
13
# limitations under the License.
14
# ==============================================================================
15

    
16
"""Routine for decoding the CIFAR-10 binary file format."""
17

    
18
from __future__ import absolute_import
19
from __future__ import division
20
from __future__ import print_function
21

    
22
import os
23

    
24
from six.moves import xrange  # pylint: disable=redefined-builtin
25
import tensorflow as tf
26

    
27
# Process images of this size. Note that this differs from the original CIFAR
28
# image size of 32 x 32. If one alters this number, then the entire model
29
# architecture will change and any model would need to be retrained.
30
IMAGE_SIZE = 24
31

    
32
# Global constants describing the CIFAR-10 data set.
33
NUM_CLASSES = 10
34
NUM_EXAMPLES_PER_EPOCH_FOR_TRAIN = 50000
35
NUM_EXAMPLES_PER_EPOCH_FOR_EVAL = 10000
36

    
37

    
38
def read_cifar10(filename_queue):
39
  """Reads and parses examples from CIFAR10 data files.
40

41
  Recommendation: if you want N-way read parallelism, call this function
42
  N times.  This will give you N independent Readers reading different
43
  files & positions within those files, which will give better mixing of
44
  examples.
45

46
  Args:
47
    filename_queue: A queue of strings with the filenames to read from.
48

49
  Returns:
50
    An object representing a single example, with the following fields:
51
      height: number of rows in the result (32)
52
      width: number of columns in the result (32)
53
      depth: number of color channels in the result (3)
54
      key: a scalar string Tensor describing the filename & record number
55
        for this example.
56
      label: an int32 Tensor with the label in the range 0..9.
57
      uint8image: a [height, width, depth] uint8 Tensor with the image data
58
  """
59

    
60
  class CIFAR10Record(object):
61
    pass
62
  result = CIFAR10Record()
63

    
64
  # Dimensions of the images in the CIFAR-10 dataset.
65
  # See http://www.cs.toronto.edu/~kriz/cifar.html for a description of the
66
  # input format.
67
  label_bytes = 1  # 2 for CIFAR-100
68
  result.height = 32
69
  result.width = 32
70
  result.depth = 3
71
  image_bytes = result.height * result.width * result.depth
72
  # Every record consists of a label followed by the image, with a
73
  # fixed number of bytes for each.
74
  record_bytes = label_bytes + image_bytes
75

    
76
  # Read a record, getting filenames from the filename_queue.  No
77
  # header or footer in the CIFAR-10 format, so we leave header_bytes
78
  # and footer_bytes at their default of 0.
79
  reader = tf.FixedLengthRecordReader(record_bytes=record_bytes)
80
  result.key, value = reader.read(filename_queue)
81

    
82
  # Convert from a string to a vector of uint8 that is record_bytes long.
83
  record_bytes = tf.decode_raw(value, tf.uint8)
84

    
85
  # The first bytes represent the label, which we convert from uint8->int32.
86
  result.label = tf.cast(
87
      tf.strided_slice(record_bytes, [0], [label_bytes]), tf.int32)
88

    
89
  # The remaining bytes after the label represent the image, which we reshape
90
  # from [depth * height * width] to [depth, height, width].
91
  depth_major = tf.reshape(
92
      tf.strided_slice(record_bytes, [label_bytes],
93
                       [label_bytes + image_bytes]),
94
      [result.depth, result.height, result.width])
95
  # Convert from [depth, height, width] to [height, width, depth].
96
  result.uint8image = tf.transpose(depth_major, [1, 2, 0])
97

    
98
  return result
99

    
100

    
101
def _generate_image_and_label_batch(image, label, min_queue_examples,
102
                                    batch_size, shuffle):
103
  """Construct a queued batch of images and labels.
104

105
  Args:
106
    image: 3-D Tensor of [height, width, 3] of type.float32.
107
    label: 1-D Tensor of type.int32
108
    min_queue_examples: int32, minimum number of samples to retain
109
      in the queue that provides of batches of examples.
110
    batch_size: Number of images per batch.
111
    shuffle: boolean indicating whether to use a shuffling queue.
112

113
  Returns:
114
    images: Images. 4D tensor of [batch_size, height, width, 3] size.
115
    labels: Labels. 1D tensor of [batch_size] size.
116
  """
117
  # Create a queue that shuffles the examples, and then
118
  # read 'batch_size' images + labels from the example queue.
119
  num_preprocess_threads = 16
120
  if shuffle:
121
    images, label_batch = tf.train.shuffle_batch(
122
        [image, label],
123
        batch_size=batch_size,
124
        num_threads=num_preprocess_threads,
125
        capacity=min_queue_examples + 3 * batch_size,
126
        min_after_dequeue=min_queue_examples)
127
  else:
128
    images, label_batch = tf.train.batch(
129
        [image, label],
130
        batch_size=batch_size,
131
        num_threads=num_preprocess_threads,
132
        capacity=min_queue_examples + 3 * batch_size)
133

    
134
  # Display the training images in the visualizer.
135
  tf.summary.image('images', images)
136

    
137
  return images, tf.reshape(label_batch, [batch_size])
138

    
139

    
140
def distorted_inputs(data_dir, batch_size):
141
  """Construct distorted input for CIFAR training using the Reader ops.
142

143
  Args:
144
    data_dir: Path to the CIFAR-10 data directory.
145
    batch_size: Number of images per batch.
146

147
  Returns:
148
    images: Images. 4D tensor of [batch_size, IMAGE_SIZE, IMAGE_SIZE, 3] size.
149
    labels: Labels. 1D tensor of [batch_size] size.
150
  """
151
  filenames = [os.path.join(data_dir, 'data_batch_%d.bin' % i)
152
               for i in xrange(1, 6)]
153
  for f in filenames:
154
    if not tf.gfile.Exists(f):
155
      raise ValueError('Failed to find file: ' + f)
156

    
157
  # Create a queue that produces the filenames to read.
158
  filename_queue = tf.train.string_input_producer(filenames)
159

    
160
  # Read examples from files in the filename queue.
161
  read_input = read_cifar10(filename_queue)
162
  reshaped_image = tf.cast(read_input.uint8image, tf.float32)
163

    
164
  height = IMAGE_SIZE
165
  width = IMAGE_SIZE
166

    
167
  # Image processing for training the network. Note the many random
168
  # distortions applied to the image.
169

    
170
  # Randomly crop a [height, width] section of the image.
171
  distorted_image = tf.random_crop(reshaped_image, [height, width, 3])
172

    
173
  # Randomly flip the image horizontally.
174
  distorted_image = tf.image.random_flip_left_right(distorted_image)
175

    
176
  # Because these operations are not commutative, consider randomizing
177
  # the order their operation.
178
  # NOTE: since per_image_standardization zeros the mean and makes
179
  # the stddev unit, this likely has no effect see tensorflow#1458.
180
  distorted_image = tf.image.random_brightness(distorted_image,
181
                                               max_delta=63)
182
  distorted_image = tf.image.random_contrast(distorted_image,
183
                                             lower=0.2, upper=1.8)
184

    
185
  # Subtract off the mean and divide by the variance of the pixels.
186
  float_image = tf.image.per_image_standardization(distorted_image)
187

    
188
  # Set the shapes of tensors.
189
  float_image.set_shape([height, width, 3])
190
  read_input.label.set_shape([1])
191

    
192
  # Ensure that the random shuffling has good mixing properties.
193
  min_fraction_of_examples_in_queue = 0.4
194
  min_queue_examples = int(NUM_EXAMPLES_PER_EPOCH_FOR_TRAIN *
195
                           min_fraction_of_examples_in_queue)
196
  print ('Filling queue with %d CIFAR images before starting to train. '
197
         'This will take a few minutes.' % min_queue_examples)
198

    
199
  # Generate a batch of images and labels by building up a queue of examples.
200
  return _generate_image_and_label_batch(float_image, read_input.label,
201
                                         min_queue_examples, batch_size,
202
                                         shuffle=True)
203

    
204

    
205
def inputs(eval_data, data_dir, batch_size):
206
  """Construct input for CIFAR evaluation using the Reader ops.
207

208
  Args:
209
    eval_data: bool, indicating if one should use the train or eval data set.
210
    data_dir: Path to the CIFAR-10 data directory.
211
    batch_size: Number of images per batch.
212

213
  Returns:
214
    images: Images. 4D tensor of [batch_size, IMAGE_SIZE, IMAGE_SIZE, 3] size.
215
    labels: Labels. 1D tensor of [batch_size] size.
216
  """
217
  if not eval_data:
218
    filenames = [os.path.join(data_dir, 'data_batch_%d.bin' % i)
219
                 for i in xrange(1, 6)]
220
    num_examples_per_epoch = NUM_EXAMPLES_PER_EPOCH_FOR_TRAIN
221
  else:
222
    filenames = [os.path.join(data_dir, 'test_batch.bin')]
223
    num_examples_per_epoch = NUM_EXAMPLES_PER_EPOCH_FOR_EVAL
224

    
225
  for f in filenames:
226
    if not tf.gfile.Exists(f):
227
      raise ValueError('Failed to find file: ' + f)
228

    
229
  # Create a queue that produces the filenames to read.
230
  filename_queue = tf.train.string_input_producer(filenames)
231

    
232
  # Read examples from files in the filename queue.
233
  read_input = read_cifar10(filename_queue)
234
  reshaped_image = tf.cast(read_input.uint8image, tf.float32)
235

    
236
  height = IMAGE_SIZE
237
  width = IMAGE_SIZE
238

    
239
  # Image processing for evaluation.
240
  # Crop the central [height, width] of the image.
241
  resized_image = tf.image.resize_image_with_crop_or_pad(reshaped_image,
242
                                                         height, width)
243

    
244
  # Subtract off the mean and divide by the variance of the pixels.
245
  float_image = tf.image.per_image_standardization(resized_image)
246

    
247
  # Set the shapes of tensors.
248
  float_image.set_shape([height, width, 3])
249
  read_input.label.set_shape([1])
250

    
251
  # Ensure that the random shuffling has good mixing properties.
252
  min_fraction_of_examples_in_queue = 0.4
253
  min_queue_examples = int(num_examples_per_epoch *
254
                           min_fraction_of_examples_in_queue)
255

    
256
  # Generate a batch of images and labels by building up a queue of examples.
257
  return _generate_image_and_label_batch(float_image, read_input.label,
258
                                         min_queue_examples, batch_size,
259
                                         shuffle=False)