As creating a neural network for digit classification seems to be a bit outdated, we will create a fictional network that learns to colorize grayscale images. In this case-study, you will learn to do the following using TensorPack.
- Dataflow
+ create a basic dataflow containing images
+ debug you dataflow
+ add custom manipulation to your data such as converting to Lab-space
+ efficiently prefetch data
- Network
+ define a neural network architecture for regression
+ integrate summary functions of TensorFlow
- Training
+ create a training configuration
- Callbacks
+ write your own callback to export predicted images after each epoch
## Dataflow
The basic idea is to gather a huge amount of images, resizing them to the same size and extract the luminance channel after converting from RGB to Lab. For demonstration purposes, we will split the dataflow definition into single steps, though it might more efficient to combine some steps.
### Reading data
The first node in the dataflow is the image-reader. There are several ways to read a lot of images:
- use lmdb files you probably already used for the Caffe framework
- collect images from a specific directory
- read data from the ImageNet if you have already downloaded these images
We will use simply a directory which consists of many RGB images. This is as simple as:
dp 0: is ndarray of shape (1920, 2560, 3) with range [0.0000, 255.0000]
datapoint 1<2 with 1 elements consists of
dp 0: is ndarray of shape (850, 1554, 3) with range [0.0000, 255.0000]
````
To actually get data you can add
````python
fordpinds.get_data():
printdp[0]# this is RGB data!
````
This iteration is used in an additional process. Of course, without the `print` statement. There is some other magic behind the scenes. The dataflow checks of the image is actually an RGB image with 3 channels and skip those gray-scale images.
### Manipulate incoming data
Now, training a network which is not fully convolutional requires inputs of fixed size. Let us add this to the dataflow.
But wait! The alert reader makes a critical observation! We need the L channel *only* and we should add the RGB image as ground-truth data. Let's fix that.
ds=MapData(ds,lambdadp:[dp[0][:,:,0],dp[1]])# get L channel from first entry
ds=BatchData(ds,32)
ds=PrefetchData(ds,4)# use queue size 4
returnds
````
Here, we simply duplicate the rgb image and only apply the `image augmentors` to the first copy of the datapoint. The output when using `PrintData` should be like
````
datapoint 0<2 with 2 elements consists of
dp 0: is ndarray of shape (256, 256) with range [0, 100.0000]
dp 1: is ndarray of shape (256, 256, 3) with range [0, 221.6387]
datapoint 1<2 with 2 elements consists of
dp 0: is ndarray of shape (256, 256) with range [0, 100.0000]
dp 1: is ndarray of shape (256, 256, 3) with range [0, 249.6030]
````
Again, do not use `PrintData` in combination with `PrefetchData` because the prefetch will be done in another process.
Well, this is probably not the most efficient way to encode this process. But it clearly demonstrates how much flexibility the `dataflow` gives.
## Network
If you are surprised how far we already are, you will enjoy how easy it is to define a network model. The most simple model is probably:
````python
classModel(ModelDesc):
def_get_input_vars(self):
pass
def_build_graph(self,input_vars):
self.cost=0
````
The framework expects:
- a definition of inputs in `_get_input_vars`
- a computation graph containing the actual network layers in `_build_graph`
- a member `self.cost` representing the loss function we would like to minimize.
### Define inputs
Our dataflow produces data which looks like `[(256, 256), (256, 256, 3)]`. The first entry is the luminance channel as input and the latter is the original RGB image with all three channels. So we will write
This is pretty straight forward, isn't it? We defined the shapes of the input and spend each entry a name. This is very generous of us and will us help later to build an inference mechanism.
From now, the `input_vars` in `_build_graph(self, input_vars)` will have the shapes `[(256, 256), (256, 256, 3)]` because of the completed method `_get_input_vars`. We can therefore write
The process of coming up with such a network architecture is usually a soup of experience, a lot of trials and much time laced with magic or simply chance, depending what you prefer. We will use an auto-encoder with a lot of convolutions to squeeze the information through a bottle-neck (encoder) and then upsample from a hopefully meaningful compact representation (decoder).
Because we are fancy, we will use a U-net layout with skip-connections.
There are probably many better tutorials about defining your network model. And there are definitely [better models](../../examples/GAN/image2image.py). You should check them later. A good way to understand layers from this library is to play with those examples.
It should be noted that you can write your models using [tfSlim](https://github.com/tensorflow/tensorflow/tree/master/tensorflow/contrib/slim) which comes along architectures [architectures and pre-trained models](https://github.com/tensorflow/models/tree/master/slim/nets) for image classification. The library automatically handles regularization and batchnorm updates from tfSlim. And you can directly load these pre-trained checkpoints from state-of-the-art models in TensorPack. Isn't this cool?
The remaining part is a boring L2-loss function given by:
It is a good idea to track the progress of your training session using TensorBoard. This library provides several functions to simplify the output of summaries and visualization of intermediate states.
add a plot of the costs from our loss function and add some intermediate results to the tab of "images" inside TensorBoard. The updates are then triggered after each epoch.
## Training
Let's summarize: We have a model and data. The missing piece which stitches these parts together is the training protocol. It is only a [configuration](../../tensorpack/train/config.py#L23-#L29)
For the dataflow, we already implemented `get_data` in the first part. Specifying the learning rate is done by
This essentially creates a non-trainable variable with initial value `1e-4` and also track this value inside TensorBoard. Let's have a look at the entire code:
There is not really new stuff. The model was implemented, and `max_epoch` is set to 100. This means 100 runs over the entire dataset. The alert reader who almost already had gone to sleep makes some noise: "Where is `dataset.size()` coming from?" This values represents all images in one directory and is forwarded by all mappings. If you have 42 images in your directory, then this value is 42. Satisfied with this answer, the alert reader went out of the room. But he will miss the most interesting part: the callback section. We will cover this in the next section.
## Callbacks
Until this point, we spoke about all necessary part of deep learning pipelines which are common from GANs, image-recognition and embedding learning. But sometimes you want to add your own code. We will now add a functionality which will export some entries of the tensor `prediction`. Remember, this is the result of the decoder part in our network.
To not mess up the code, there is a plug-in mechanism with callbacks. Our callback looks like
````python
classOnlineExport(Callback):
def__init__(self):
pass
def_setup_graph(self):
pass
def_trigger_epoch(self):
pass
````
So it has 3 methods, although there are some more. TensorPack is really conservative regarding the computation graph. After the network is constructed and all callbacks are initialized the graph is finalized. So once you started training, there is no way of adding nodes to the graph, which we actually want to do for inference.
Let us fill in some parts
````python
classOnlineExport(Callback):
def__init__(self):
self.cc=0
self.example_input=color.rgb2lab(cv2.imread('myimage.jpg')[:,:,[2,1,0]])[:,:,0]# read rgb image and extract luminance
Can you remember the method `_get_input_vars` in our model? We used the name `luminance` to identify one input. If not, this is the best time to go back in this text and read how to specify input variables for the network. In the deconvolution step there was also:
````python
prediction=Deconv2D('prediction',e2,3,nl=tf.tanh)# name is 'prediction'
````
These two names allows to build the inference part of the network in
````python
inputs=['luminance']
outputs=['prediction']
self.trainer.get_predict_func(inputs,outputs)
````
This is very convenient because in the `_tigger_epoch` we can use:
The following guide introduces some core concepts of TensorPack. In contrast to several other libraries TensorPack contains of several modules to build complex deep learning algorithms and train models with high accuracy and high speed.
### DataFlow
To train neural network architectures on extensive training data this library provides a data flow mechanism. This consists of several readers, mappings (e.g. image augmentations) and efficient prefetching.
The following code reads images from a database produced in the fashion of Caffe and add several modifications such as resizing them to $255\times 255$ and converting these to gray-scale images.
You should build your model within the ModelDesc-class.
### Training
Given TensorFlow's optimizers this library provides several training protocols even for efficient multi-GPU environments. There is support for single GPU, training on one machine with multiple GPUs (synchron or asyncron), training of Generative Adversarial networks and reinforcement learning.
You only need to configure your training protocol like
````python
config=TrainConfig(
dataflow=my_dataflow,
optimizer=tf.train.AdamOptimizer(lr),
callbacks=Callbacks([ModelSaver(),...]),
model=Model())
# start training
SimpleTrainer(config).train()
````
Switching between single-GPU and multi-GPU is as easy as replace the last line with
````python
# start multi-GPUtraining
SyncMultiGPUTrainer(config).train()
````
### Callbacks
The use of callbacks add the flexibility to execute code during training. These callbacks are triggered on several events such as after each step or at the end of one training epoch.