GCAL TutorialΒΆ

GCAL Tutorial

This tutorial shows how to use the Topographica software package to explore an orientation map simulation using test patterns and weight plots.

The simulations explored in this notebook use the GCAL model (Stevens et al., J. Neuroscience 2013) , a relatively simple and easy-to-understand cortical model. As described in Bednar (J. Physiology-Paris, 106:194-211 2013) , much more complex and realistic simulations can be built using the same underlying components in Topographica, e.g. by including multiple cell classes and laminae in each simulated region, or simulating finer time steps, but this model is already capable of surprisingly complex behavior.

This tutorial is also compatible with the earlier LISSOM model, which has been used extensively in publications (e.g. Miikkulainen et al., 2005). We have made it easy to select the LISSOM model at the start of the notebook and it should be possible to follow the rest of the tutorial without any additional changes, though of course any mention of GCAL explicitly should be updated to say LISSOM instead.

An advanced tutorial is also available, demonstrating a more sophisticated analysis of the GCAL model as used in the published paper. This second GCAL tutorial is more suited to users already familiar with Topographica.

Using the IPython Notebook

If you can double-click on this text and edit it, you are in a live IPython Notebook environment where you can run the code and explore the model. Otherwise, you are viewing a static (e.g. HTML) copy of the notebook, which allows you to see the precomputed results only. To switch to the live notebook, see the notebook installation instructions.

We will start the notebook by importing the various components we will be using. You can run the following code cell by pressing Shift+Enter or clicking the 'play' button from the menu above:

In [1]:
%reload_ext topo.misc.ipython
%timer start
Executing user startup file /var/lib/buildbot/docs/.topographicarc
Timer start: 2015/05/13 17:44:00

In [2]:
import os, math
import numpy as np

import topo
import param
import imagen

import holoviews
from holoviews import operation

from featuremapper.command import measure_or_pref
from featuremapper.analysis.raster import fft_power

from topo.command import load_snapshot, save_snapshot, runscript
from topo.command.analysis import measure_response, measure_cog

from topo.analysis import Collector
from topo.misc.ipython import RunProgress

holoviews.archive.auto()
var kernel = IPython.notebook.kernel; var nbname = IPython.notebook.get_notebook_name(); var name_cmd = 'holoviews.archive.notebook_name = \"' + nbname + '\"'; kernel.execute(name_cmd);
Automatic capture is now enabled. [2015-05-13 17:44:01]

In [3]:
%output holomap='scrubber'

If you find the plots in the notebook are either too big or too small, you may choose a more appropriate display size for your screen (default 100%):

Loading the model snapshot

Although this tutorial has been designed to run the GCAL model by default, it is compatible with the older LISSOM model. You can switch to the LISSOM model by setting the model variable to 'LISSOM' in cell below:

In [4]:
model = 'GCAL'  # The model can either be 'GCAL' or 'LISSOM'

We require the model to have trained for max_time iterations (below) with a small set of measurements taken every 1000 steps. To avoid repeating this procedure each time the notebook is executed, a snapshot of the model after max_time is loaded from a file. If an appropriate snapshot file cannot be found, one will be created and saved to speed up subsequent runs of the notebook:

While the command in a cell is running, the cell number will be a *.

In [5]:
times = [i*1000 for i in range(11)] # Measurement times
max_time=max(times) # Training duration

basename = 'gcal' if model=='GCAL' else 'lissom_oo_or'
snapshot_name = '%s_%d.typ' % (basename,max_time)

try:
    snapshot_path = param.resolve_path(snapshot_name)
    rebuild_snapshot = False
except:
    rebuild_snapshot = True

##Force rebuild
#rebuild_snapshot = True

if rebuild_snapshot:
    print "Rebuilding snapshot %r." % snapshot_name
In [6]:
if rebuild_snapshot:
    c = Collector()
    
    # Preference map measurement (e.g. orientation and center of gravity plots)
    c.collect(measure_or_pref)
    c.collect(measure_cog)
    
    # Steps for rebuilding and saving the appropriate snapshot
    model_dir = param.resolve_path('examples' if model=='GCAL' else 'models', path_to_file=False)
    runscript(os.path.join(model_dir, basename + ".ty"))  # Load the model    
    topo.sim.views = c(times=times)
    save_snapshot(snapshot_name)
    
else:
    load_snapshot(snapshot_name)
    print "Snapshot file %r loaded..." % snapshot_name
Snapshot file 'gcal_10000.typ' loaded...

Now the model is loaded, we shall first examine the model architecture, the training stimuli, and the response to a simple test stimulus.

Model architecture

This small orientation map simulation has a 78x78 retina, a 60x60 LGN (composed of one 60x60 OFF channel sheet, and one 60x60 ON channel sheet), and a 48x48 V1 with about two million synaptic weights.

The model architecture is shown below:

We now define the four sheet names for later reference:

In [7]:
sheets = ['Retina','LGNOn','LGNOff','V1']

An example of the patterns used in training

To check the model has been loaded correctly, we can have a look at an example of the patterns that were presented on the retina sheet during training:

In [8]:
topo.sim.Retina.input_generator.anim(50)
Out[8]:


Once Loop Reflect

Presenting a test stimulus

We will now define a test pattern to present to the network:

In [9]:
test_pattern = imagen.Line()
test_pattern[:]
Out[9]:

This shows the Line pattern with unit bounds (-0.5 to 0.5 in sheet coordinates) with a high sampling density used for display in the notebook. Here is the response to this particular test stimuli after this pattern is installed on the retinal sheet and presented to the network:

In [10]:
response = measure_response(inputs=['Retina'], outputs=sheets, pattern_generator=test_pattern)
response
Out[10]:

This shows the response for each neural area. For these plots, you can see the sheet coordinates along the x and y axes whereas the position of the array values is expressed in matrix coordinates. Note that the retinal sheet of the model has a larger bounds and a lower density than used for pattern display above, which explains why the line appears thinner and more coarsely sampled.

In the Retina plot, each photoreceptor is represented as a pixel whose shade of gray codes the response level. Similarly, locations in the LGN that have an OFF or ON cell response to this pattern are shown in the LGNOff and LGNOn plots. At this stage the response level in V1 is also coded in shades of gray.

From these plots, you can see that the single line presented on the retina is edge-detected in the LGN, with ON LGN cells responding to areas brighter than their surround, and OFF LGN cells responding to areas darker than their surround. In V1, the response is patchy, as explained below.

Activity statistics

The plots above show the spatial pattern of activity in the different sheets but do not show the absolute activity values. The best way to determine the absolute activity levels is to first get a handle on the raw activity array:

In [11]:
activity_array = response.LineResponse.V1.last.data

Now it is easy to examine the various statistics of the activity array:

In [12]:
activity_info = activity_array.min(), activity_array.max(), activity_array.mean(), activity_array.std()
print "V1 Activity statistics -  min: %.3f, max %.3f, mean %.3f, std %.3f" % activity_info
V1 Activity statistics -  min: 0.000, max 1.203, mean 0.048, std 0.167

The weights to a V1 neuron

To help understand the response patterns in V1, we can look at the weights to V1 neurons. These weights were learned previously, as a result of presenting thousands of pairs of oriented Gaussian patterns at random angles and positions. Here are the synaptic strengths of connections to the neuron close to the center of the cortex for all the different incoming projections:

In [13]:
coord = (0,0.1) # Close to the center of V1 
(topo.sim.V1.LGNOffAfferent.view(*coord) + topo.sim.V1.LGNOnAfferent.view(*coord)
 + topo.sim.V1.LateralExcitatory.view(*coord) + topo.sim.V1.LateralInhibitory.view(*coord))
Out[13]:

The plot shows the afferent weights to V1 (i.e., connections from the ON and OFF channels of the LGN), followed by the lateral excitatory and lateral inhibitory weights to that neuron from nearby neurons in V1. The afferent weights represent the retinal pattern that would most excite the neuron. For the particular neuron shown above, the optimal retinal stimulus would be a short, bright line oriented at about 35 degrees (from 7 o’clock to 1 o’clock) in the center of the retina. (Note that the particular neuron you are viewing may have a different preferred orientation.)

Note that the weights are shown on different spatial scales.

Try changing the coordinate of the V1 neuron. You can re-run a single cell repeatedly using Ctrl+Enter

If all neurons had the same weight pattern, the response would not be patchy – it would just be a blurred version of the input (for inputs matching the weight pattern), or blank (for other inputs). Here are what the afferent connections to the other neurons look like:

In [14]:
%%opts GridSpace [tick_format="%.1f"]
topo.sim.V1.LGNOnAfferent.grid() + topo.sim.V1.LGNOffAfferent.grid()
Out[14]:

This plot shows the afferent weights from the LGN ON sheet for 20 neurons sampled in each direction. You can see that most of the neurons are selective for orientation (not just a circular spot), and each has a slightly different preferred orientation. This suggests an explanation for why the response is patchy: neurons preferring orientations other than the one present on the retina do not respond. You can also look at the LateralInhibitory weights instead of LGNOnAfferent; those are patchy as well because the typical activity patterns are patchy.

The V1 Orientation map

To visualize all the neurons at once in experimental animals, optical imaging experiments measure responses to a variety of patterns and record the one most effective at stimulating each neuron. This approach of recording the cortical response to particular stimuli was used to measure the maps in the model every 1000 iterations as it was trained to a total of 20000 iterations. This data is now made easily accessible as follows:

In [15]:
data = topo.sim.views              # The measurement data saved in the snapshot

Here is a view of the final orientation preference for neurons in V1 and the corresponding map of orientation selectivity:

In [16]:
pref = data.OrientationPreference.V1 
sel =  data.OrientationSelectivity.V1
(pref + sel + pref*sel).select(Time=max_time)
Out[16]:

The Orientation Preference plot A is the orientation map for V1 in this model. Each neuron in the plot is color coded by its preferred orientation, according to the key shown below the plot.

You can see that nearby neurons have similar orientation preferences, as found in primate visual cortex. The orientation selectivity plot B shows the relative selectivity of each neuron for orientation on an arbitrary scale; you can see that the degree of selectivity varies along with the position in the map. The polar plot C combines orientation preference and selectivity – each neuron is colored with its preferred orientation, and the stronger the selectivity, the brighter the color.

Combined Activity and Orientation Preference

In [17]:
line=response.LineResponse
line.Retina + line.LGNOff + line.LGNOn + data.OrientationPreference.V1.last * line.V1
Out[17]:

Each V1 neuron is now color coded by its orientation, with brighter colors indicating stronger activation.

The color coding allows us to see that the neurons responding are indeed those that prefer orientations similar to the input pattern, and that the response is patchy because other nearby neurons do not respond. To be sure of that, try using a line with a different orientation as a test stimulus – the colors should be different, and should match the orientation chosen:

In [18]:
test_pattern = imagen.Line(orientation=math.pi/2)
line = measure_response(inputs=['Retina'], outputs=sheets, pattern_generator=test_pattern).LineResponse
line.Retina + line.LGNOff + line.LGNOn + data.OrientationPreference.V1.last * line.V1
Out[18]:

V1 Weights and their orientation preferences

In [19]:
coord = (0.1,0.1) # Close to the center of V1
V1_exc = topo.sim.V1.LateralExcitatory.view(*coord, situated=True).last * data.OrientationPreference.V1.last
V1_inh = topo.sim.V1.LateralInhibitory.view(*coord, situated=True).last * data.OrientationPreference.V1.last
(topo.sim.V1.LGNOffAfferent.view(*coord, situated=True) 
 + topo.sim.V1.LGNOnAfferent.view(*coord, situated=True) + V1_exc + V1_inh)
Out[19]:

Look at the LateralExcitatory weights, which for an orientation-selective neuron should all match the preferred orientation of this neuron.

In [20]:
%%opts CFView (cmap='gray') {+axiswise}
coord = (0,0.2)
V1_exc = topo.sim.V1.LateralExcitatory.view(*coord, situated=True).last * data.OrientationPreference.V1.last
V1_inh = topo.sim.V1.LateralInhibitory.view(*coord, situated=True).last * data.OrientationPreference.V1.last
(topo.sim.V1.LGNOffAfferent.view(*coord, situated=True) 
 + topo.sim.V1.LGNOnAfferent.view(*coord, situated=True) + V1_exc + V1_inh)
Out[20]:

The Fourier power spectrum

As another example, an interesting property of orientation maps measured in animals is that their Fourier power spectrums usually show a ring shape, because the orientations repeat at a constant spatial frequency in all directions.

In [21]:
fft = fft_power(data.OrientationPreference.V1)
fft.last
Out[21]:

Try removing .last to see how the FFT evolves over development!

Changing the test stimulus

We have already seen one example of how to change the test stimulus when we presented a vertical line to the network. Note that imagen.Line is only one of many different types of pattern that can be presented to the network. Here are some commonly used test stimuli:

  • imagen.Gaussian
  • imagen.Disk
  • imagen.Gabor
  • imagen.SineGrating
  • imagen.image.FileImage
  • imagen.Arc
  • imagen.Ring
  • imagen.Rectangle

For a more complete list of available patterns, type imagen. into a code cell and press <TAB>.

Common pattern parameters:

x and y
Controls the position on the retina (try 0 or 0.5)
orientation
Controls the angle (try $\frac{\pi}{4}$ or $\frac{-\pi}{4}$)
size
Controls the overall size of e.g. Gaussians and rings
aspect_ratio
Controls the ratio between width and height; will be scaled by the size in both directions
smoothing
Controls the amount of Gaussian falloff around the edges of patterns such as rings and lines
scale
Controls the brightness (try 1.0 for a sine grating).
offset
A value to be added to every pixel
frequency
Controls frequency of a sine grating or Gabor
phase
Controls phase of a sine grating or Gabor
mask_shape
Allows the pattern to be masked by another pattern (e.g. try a mask_shape of Disk with a SineGrating).

Note: Compared to the LISSOM model, the GCAL model is insensitive to the scale; the response remains orientation selective even as the scale is varied substantially.

As we have seen, a vertical line can be obtained by setting the orientation parameter for a Line to $\frac{\pi}{2}$ radians. Here is a different example, showing a SineGrating oriented at a 45$^o$ angle:

In [22]:
test_pattern=imagen.SineGrating(orientation=math.pi/4)
test_pattern[:]
Out[22]:

In the live notebook environment, you can also view more about the different possible parameters of a test pattern by clicking inside the parentheses of SineGrating() above and typing <Shift+TAB> a few times (getting more information each time).

Try changing the stimulus and exploring how the response changes with different parameters.

Presenting images from file

To present photographs, select a Pattern generator of type imagen.image.FileImage. For most photographs, you will probably want to enlarge the image size to look at details. Here is an example of how a file image can be loaded and displayed:

In [23]:
filename = param.resolve_path('images/ellen_arthur.pgm')
scale = 2.0 if model == 'LISSOM' else 1.0
test_pattern = imagen.image.FileImage(filename=filename, scale=scale)
test_pattern[:]
Out[23]:

Note that the scale needs to be boosted to make the network respond in the LISSOM model, but GCAL's contrast-gain control mechanism in the LGN makes such changes unnecessary for GCAL.

A much larger, more complicated, and slower map would be required to see interesting patterns in the response to most images, but even with this network you may be able to see some orientation-specific responses to large contours in the image:

In [24]:
test_pattern.size=5
pic = measure_response(inputs=['Retina'], outputs=sheets, pattern_generator=test_pattern).FileImageResponse
pic.Retina + pic.LGNOff + pic.LGNOn + data.OrientationPreference.V1.last * pic.V1
Out[24]:

Note that the axes have very different limits between the different sheets. The Retina sheet extends past 1.5 units in sheet Coordinates whereas the V1 sheet reaches only 0.5 units in sheet coordinates in each direction. The reason for these differences is that in this particular network, the Retina and LGN stages each have an extra "buffer" region around the outside so that no V1 neuron will have its CF cut off, and the result is that V1 sees only the central region of the image in the LGN, and the LGN "sees" only the central region of the retina. The axis scales on each plot can be used to compare specific areas across plots.

Animation

Here is an animation showing the preference, selectivity and combined preference/selectivity plots over development (top row). The bottom row shows the FFT of the preference map and the Center of Gravity plots for the LGN ON and OFF projections.

In [25]:
(pref + sel + pref*sel + fft + data.CoG.LGNOnAfferent + data.CoG.LGNOffAfferent).cols(3)
Out[25]:


Once Loop Reflect

If desired, all the generated output (skipping animations, by default) can be listed and saved to SVG files for use externally:

In [26]:
#holoviews.archive.contents()
In [27]:
#holoviews.archive.export()
In [28]:
#holoviews.archive.last_export_status() # To see status, press shift-Enter on this cell after Run all
In [29]:
%timer
Timer elapsed: 00:01:19


Download this notebook from GitHub (right-click to download).